From b05fc1680d18efc9a03287b358ac538cb93e3a91 Mon Sep 17 00:00:00 2001 From: aerych Date: Mon, 29 Mar 2021 15:28:03 -0500 Subject: [PATCH 001/190] Comments: Adds unreplied filter option. --- .../ViewRelated/Comments/CommentsViewController+Filters.swift | 3 +++ 1 file changed, 3 insertions(+) diff --git a/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift b/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift index e00c74a85712..085334d75075 100644 --- a/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift +++ b/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift @@ -3,6 +3,7 @@ extension CommentsViewController { enum CommentFilter: Int, FilterTabBarItem, CaseIterable { case all case pending + case unreplied case approved case trashed case spam @@ -11,6 +12,7 @@ extension CommentsViewController { switch self { case .all: return NSLocalizedString("All", comment: "Title of all Comments filter.") case .pending: return NSLocalizedString("Pending", comment: "Title of pending Comments filter.") + case .unreplied: return NSLocalizedString("Unreplied", comment: "Title of unreplied Comments filter.") case .approved: return NSLocalizedString("Approved", comment: "Title of approved Comments filter.") case .trashed: return NSLocalizedString("Trashed", comment: "Title of trashed Comments filter.") case .spam: return NSLocalizedString("Spam", comment: "Title of spam Comments filter.") @@ -21,6 +23,7 @@ extension CommentsViewController { switch self { case .all: return CommentStatusFilterAll case .pending: return CommentStatusFilterUnapproved + case .unreplied: return CommentStatusFilterAll case .approved: return CommentStatusFilterApproved case .trashed: return CommentStatusFilterTrash case .spam: return CommentStatusFilterSpam From 77b7a8e7f00f4d4f897bbd458e895e17ba1c526f Mon Sep 17 00:00:00 2001 From: aerych Date: Mon, 29 Mar 2021 20:30:03 -0500 Subject: [PATCH 002/190] Comments: Stub support for the unreplied comments filter. --- WordPress/Classes/Services/CommentService.h | 6 ++++++ WordPress/Classes/Services/CommentService.m | 19 ++++++++++++++++++- .../CommentsViewController+Filters.swift | 7 +++++++ .../Comments/CommentsViewController.m | 3 +++ 4 files changed, 34 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/Services/CommentService.h b/WordPress/Classes/Services/CommentService.h index 2a18288a0de9..5871a3e41355 100644 --- a/WordPress/Classes/Services/CommentService.h +++ b/WordPress/Classes/Services/CommentService.h @@ -44,6 +44,12 @@ extern NSUInteger const WPTopLevelHierarchicalCommentsPerPage; success:(void (^)(BOOL hasMore))success failure:(void (^)(NSError *error))failure; +- (void)syncCommentsForBlog:(Blog *)blog + withStatus:(CommentStatusFilter)status + filterUnreplied:(BOOL)filterUnreplied + success:(void (^)(BOOL hasMore))success + failure:(void (^)(NSError *error))failure; + // Determine if a recent cache is available + (BOOL)shouldRefreshCacheFor:(Blog *)blog; diff --git a/WordPress/Classes/Services/CommentService.m b/WordPress/Classes/Services/CommentService.m index f1b9a9a69b60..c90851aec81e 100644 --- a/WordPress/Classes/Services/CommentService.m +++ b/WordPress/Classes/Services/CommentService.m @@ -151,6 +151,15 @@ - (void)syncCommentsForBlog:(Blog *)blog withStatus:(CommentStatusFilter)status success:(void (^)(BOOL hasMore))success failure:(void (^)(NSError *error))failure +{ + [self syncCommentsForBlog:blog withStatus:status filterUnreplied:NO success:success failure:failure]; +} + +- (void)syncCommentsForBlog:(Blog *)blog + withStatus:(CommentStatusFilter)status + filterUnreplied:(BOOL)filterUnreplied + success:(void (^)(BOOL hasMore))success + failure:(void (^)(NSError *error))failure { NSManagedObjectID *blogID = blog.objectID; if (![[self class] startSyncingCommentsForBlog:blogID]){ @@ -176,8 +185,12 @@ - (void)syncCommentsForBlog:(Blog *)blog if (!blogInContext) { return; } + NSArray *fetchedComments = comments; + if (filterUnreplied) { + fetchedComments = [self filterUnrepliedComments:comments]; + } - [self mergeComments:comments + [self mergeComments:fetchedComments forBlog:blog purgeExisting:YES completionHandler:^{ @@ -207,6 +220,10 @@ - (void)syncCommentsForBlog:(Blog *)blog }]; } +- (NSArray *)filterUnrepliedComments:(NSArray *)comments { + return comments; +} + - (Comment *)oldestCommentForBlog:(Blog *)blog { NSString *entityName = NSStringFromClass([Comment class]); NSFetchRequest *request = [NSFetchRequest fetchRequestWithEntityName:entityName]; diff --git a/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift b/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift index 085334d75075..784f91f1ef30 100644 --- a/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift +++ b/WordPress/Classes/ViewRelated/Comments/CommentsViewController+Filters.swift @@ -54,4 +54,11 @@ extension CommentsViewController { filterTabBar.setSelectedIndex(selectedIndex, animated: false) selectedFilterDidChange(filterTabBar) } + + @objc func isUnrepliedFilterSelected(_ filterTabBar: FilterTabBar) -> Bool { + guard let item = filterTabBar.currentlySelectedItem as? CommentFilter else { + return false + } + return item == CommentFilter.unreplied + } } diff --git a/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m b/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m index 155118da0891..adc7a56dde8f 100644 --- a/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m +++ b/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m @@ -408,6 +408,8 @@ - (void)syncHelper:(WPContentSyncHelper *)syncHelper syncContentWithUserInteract CommentService *commentService = [[CommentService alloc] initWithManagedObjectContext:context]; NSManagedObjectID *blogObjectID = self.blog.objectID; + BOOL filterUnreplied = [self isUnrepliedFilterSelected:self.filterTabBar]; + [context performBlock:^{ Blog *blogInContext = (Blog *)[context existingObjectWithID:blogObjectID error:nil]; if (!blogInContext) { @@ -416,6 +418,7 @@ - (void)syncHelper:(WPContentSyncHelper *)syncHelper syncContentWithUserInteract [commentService syncCommentsForBlog:blogInContext withStatus:self.currentStatusFilter + filterUnreplied:filterUnreplied success:^(BOOL hasMore) { if (success) { weakSelf.cachedStatusFilter = weakSelf.currentStatusFilter; From a7256033194de91d9df87cc59b05b013cf3acdac Mon Sep 17 00:00:00 2001 From: aerych Date: Wed, 31 Mar 2021 22:05:13 -0500 Subject: [PATCH 003/190] Comments: First pass at filtering logic for unreplied comments. --- WordPress/Classes/Services/CommentService.m | 50 ++++++++++++++++++++- 1 file changed, 49 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/Services/CommentService.m b/WordPress/Classes/Services/CommentService.m index c90851aec81e..0d9e6eef601c 100644 --- a/WordPress/Classes/Services/CommentService.m +++ b/WordPress/Classes/Services/CommentService.m @@ -221,7 +221,55 @@ - (void)syncCommentsForBlog:(Blog *)blog } - (NSArray *)filterUnrepliedComments:(NSArray *)comments { - return comments; + AccountService *service = [[AccountService alloc] initWithManagedObjectContext:self.managedObjectContext]; + WPAccount *account = [service defaultWordPressComAccount]; + NSMutableArray *marr = [comments mutableCopy]; + + NSMutableArray *foundIDs = [NSMutableArray array]; + NSMutableArray *discardables = [NSMutableArray array]; + + // get ids of comments that user has replied to. + for (RemoteComment *comment in marr) { + if (![comment.authorEmail isEqualToString:account.email] || !comment.parentID) { + continue; + } + [foundIDs addObject:comment.parentID]; + [discardables addObject:comment]; + } + // Discard the replies, they aren't needed. + [marr removeObjectsInArray:discardables]; + [discardables removeAllObjects]; + + // Get the parents, grandparents etc. and discard those too. + while ([foundIDs count] > 0) { + NSArray *needles = [foundIDs copy]; + [foundIDs removeAllObjects]; + for (RemoteComment *comment in marr) { + if ([needles containsObject:comment.commentID]) { + if (comment.parentID) { + [foundIDs addObject:comment.parentID]; + } + [discardables addObject:comment]; + } + } + // Discard the matches, and keep looking if items were found. + [marr removeObjectsInArray:discardables]; + [discardables removeAllObjects]; + } + + // remove any remaining child comments. + // remove any remaining root comments made by the user. + for (RemoteComment *comment in marr) { + if (comment.parentID != 0) { + [discardables addObject:comment]; + } else if ([comment.authorEmail isEqualToString:account.email]) { + [discardables addObject:comment]; + } + } + [marr removeObjectsInArray:discardables]; + + // these are the most recent unreplied comments from other users. + return [NSArray arrayWithArray:marr]; } - (Comment *)oldestCommentForBlog:(Blog *)blog { From 5d4c24186adc6b16280914084033eee77b892c8d Mon Sep 17 00:00:00 2001 From: aerych Date: Thu, 1 Apr 2021 12:15:56 -0500 Subject: [PATCH 004/190] Comments: Only fetch the first page of unreplied comments. --- WordPress/Classes/Services/CommentService.m | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Services/CommentService.m b/WordPress/Classes/Services/CommentService.m index 0d9e6eef601c..4683ebff7f94 100644 --- a/WordPress/Classes/Services/CommentService.m +++ b/WordPress/Classes/Services/CommentService.m @@ -202,8 +202,8 @@ - (void)syncCommentsForBlog:(Blog *)blog if (success) { // Note: // We'll assume that if the requested page size couldn't be filled, there are no - // more comments left to retrieve. - BOOL hasMore = comments.count >= WPNumberOfCommentsToSync; + // more comments left to retrieve. However, for unreplied comments, we only fetch the first page (for now). + BOOL hasMore = comments.count >= WPNumberOfCommentsToSync && !filterUnreplied; success(hasMore); } }]; From 58894db65dde263d85966c1154c0f135991f2842 Mon Sep 17 00:00:00 2001 From: aerych Date: Thu, 1 Apr 2021 12:26:11 -0500 Subject: [PATCH 005/190] Comments: Update release notes. --- RELEASE-NOTES.txt | 1 + 1 file changed, 1 insertion(+) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index a5044500ed1d..e938ec4a5667 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -4,6 +4,7 @@ * [*] Reordered categories in page layout picker [#16156] * [*] Added preview device mode selector in the page layout previews [#16141] * [**] Block Editor: Added Contact Info block to sites on WPcom or with Jetpack version >= 8.5. +* [*] Comments can be filtered to show the most recent unreplied comments from other users. 17.0 ----- From 713ec42a43ec4589e172cd7a05a8a8f7bb34c996 Mon Sep 17 00:00:00 2001 From: Paul Von Schrottky Date: Mon, 5 Apr 2021 15:23:32 -0400 Subject: [PATCH 006/190] Enable UI tests on Gutenberg releases MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This enables automatic execution of our UI test suite on Gutenberg release branches. This means that Gutenberg release PRs will now benefit from `EditorGutenbergTests`–as well as the other tests in our suite–without developers needing to remember to run these tests. --- .circleci/config.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.circleci/config.yml b/.circleci/config.yml index ecaebd9662a2..3cbaceae40ba 100644 --- a/.circleci/config.yml +++ b/.circleci/config.yml @@ -312,6 +312,7 @@ workflows: ignore: - develop - /^release.*/ + - /^gutenberg\/integrate_release_.*/ - UI Tests: name: UI Tests (iPhone 11) <<: *iphone_test_device From 2d20749c59b8b8c3ef2a948e1d2c0dee2c5ef976 Mon Sep 17 00:00:00 2001 From: Paul Von Schrottky Date: Mon, 5 Apr 2021 16:38:47 -0400 Subject: [PATCH 007/190] Explicitly run UI tests on Gutenberg releases --- .circleci/config.yml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/.circleci/config.yml b/.circleci/config.yml index 3cbaceae40ba..8232c06eb4b5 100644 --- a/.circleci/config.yml +++ b/.circleci/config.yml @@ -293,6 +293,7 @@ workflows: only: - develop - /^release.*/ + - /^gutenberg\/integrate_release_.*/ - UI Tests: name: UI Tests (iPad Air 4th generation) <<: *ipad_test_device @@ -303,6 +304,7 @@ workflows: only: - develop - /^release.*/ + - /^gutenberg\/integrate_release_.*/ #Optionally run UI tests on PRs - Optional Tests: type: approval From eb507e05a08c4662f105c0815e7ac99dfe3e139d Mon Sep 17 00:00:00 2001 From: Oguz Kocer Date: Mon, 12 Apr 2021 16:25:29 -0400 Subject: [PATCH 008/190] Disable tracking for UI tests --- WordPress/Classes/Utility/Analytics/WPAppAnalytics.m | 3 ++- WordPress/WordPressUITests/Utils/XCTest+Extensions.swift | 2 +- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Utility/Analytics/WPAppAnalytics.m b/WordPress/Classes/Utility/Analytics/WPAppAnalytics.m index 5dd71bbda8eb..84b550d2a440 100644 --- a/WordPress/Classes/Utility/Analytics/WPAppAnalytics.m +++ b/WordPress/Classes/Utility/Analytics/WPAppAnalytics.m @@ -96,7 +96,8 @@ - (void)initializeAppTracking [self initializeOptOutTracking]; BOOL userHasOptedOut = [WPAppAnalytics userHasOptedOut]; - if (!userHasOptedOut) { + BOOL isUITesting = [[NSProcessInfo processInfo].arguments containsObject:@"-ui-testing"]; + if (!isUITesting && !userHasOptedOut) { [self registerTrackers]; [self beginSession]; } diff --git a/WordPress/WordPressUITests/Utils/XCTest+Extensions.swift b/WordPress/WordPressUITests/Utils/XCTest+Extensions.swift index ea7622085360..d025e0915c9c 100644 --- a/WordPress/WordPressUITests/Utils/XCTest+Extensions.swift +++ b/WordPress/WordPressUITests/Utils/XCTest+Extensions.swift @@ -70,7 +70,7 @@ extension XCTestCase { continueAfterFailure = false let app = XCUIApplication() - app.launchArguments = ["-wpcom-api-base-url", WireMock.URL().absoluteString, "-no-animations"] + app.launchArguments = ["-wpcom-api-base-url", WireMock.URL().absoluteString, "-no-animations", "-ui-testing"] app.activate() // Media permissions alert handler From 27575a3e72e18492c81a7138c0d2b31902a4e9a9 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 09:48:52 +0900 Subject: [PATCH 009/190] Add hasValidCredentials computed property --- .../Jetpack/Jetpack Scan/JetpackScanCoordinator.swift | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index c7c6a91e8652..35fd7fb3155b 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -348,6 +348,10 @@ class JetpackScanCoordinator { } extension JetpackScan { + var hasValidCredentials: Bool { + return credentials?.first?.stillValid ?? false + } + var hasFixableThreats: Bool { let count = fixableThreats?.count ?? 0 return count > 0 From 5efffd24b104a96c0d464aa257a1351f9605ff84 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 09:52:42 +0900 Subject: [PATCH 010/190] Jetpack Scan: Update primary button to be enabled iff a site has valid server credentials --- .../Jetpack/Jetpack Scan/JetpackScanStatusCell.swift | 1 + .../Jetpack Scan/View Models/JetpackScanStatusViewModel.swift | 3 +++ 2 files changed, 4 insertions(+) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift index 4b3ac833e78c..7f3d86d165c2 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift @@ -38,6 +38,7 @@ class JetpackScanStatusCell: UITableViewCell, NibReusable { } primaryButton.setTitle(primaryTitle, for: .normal) + primaryButton.isEnabled = model.hasValidCredentials primaryButton.isHidden = false } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift index 3323f8cd50fd..05c8c9be375c 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift @@ -4,6 +4,7 @@ struct JetpackScanStatusViewModel { let imageName: String let title: String let description: String + let hasValidCredentials: Bool private(set) var primaryButtonTitle: String? private(set) var secondaryButtonTitle: String? @@ -21,6 +22,8 @@ struct JetpackScanStatusViewModel { return nil } + hasValidCredentials = scan.hasValidCredentials + let blog = coordinator.blog let state = Self.viewState(for: scan) From f48ebb9b8fbc69902a0611da691301cb7b856746 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 10:21:02 +0900 Subject: [PATCH 011/190] Jetpack Scan: Add a warning button to the Jetpack Scan Status Cell --- .../Jetpack Scan/JetpackScanStatusCell.swift | 12 +++ .../Jetpack Scan/JetpackScanStatusCell.xib | 82 +++++++++++-------- .../JetpackScanStatusViewModel.swift | 6 ++ 3 files changed, 64 insertions(+), 36 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift index 7f3d86d165c2..ab7c37b183eb 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift @@ -7,6 +7,7 @@ class JetpackScanStatusCell: UITableViewCell, NibReusable { @IBOutlet weak var descriptionLabel: UILabel! @IBOutlet weak var primaryButton: FancyButton! @IBOutlet weak var secondaryButton: FancyButton! + @IBOutlet weak var warningButton: UIButton! @IBOutlet weak var progressView: UIProgressView! private var model: JetpackScanStatusViewModel? @@ -28,6 +29,7 @@ class JetpackScanStatusCell: UITableViewCell, NibReusable { configurePrimaryButton(model) configureSecondaryButton(model) + configureWarningButton(model) configureProgressView(model) } @@ -52,6 +54,16 @@ class JetpackScanStatusCell: UITableViewCell, NibReusable { secondaryButton.isHidden = false } + private func configureWarningButton(_ model: JetpackScanStatusViewModel) { + guard let warningButtonTitle = model.warningButtonTitle else { + warningButton.isHidden = true + return + } + + warningButton.setTitle(warningButtonTitle, for: .normal) + warningButton.isHidden = false + } + private func configureProgressView(_ model: JetpackScanStatusViewModel) { guard let progress = model.progress else { progressView.isHidden = true diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib index 6c4941ab0b58..35228794efb5 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib @@ -11,14 +11,14 @@ - + - + - + @@ -47,44 +47,53 @@ - - + + + + + + + + @@ -104,6 +113,7 @@ + diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift index 05c8c9be375c..3ee47f15ee9e 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift @@ -8,6 +8,7 @@ struct JetpackScanStatusViewModel { private(set) var primaryButtonTitle: String? private(set) var secondaryButtonTitle: String? + private(set) var warningButtonTitle: String? private(set) var progress: Float? private let coordinator: JetpackScanCoordinator @@ -24,6 +25,10 @@ struct JetpackScanStatusViewModel { hasValidCredentials = scan.hasValidCredentials + if !hasValidCredentials { + warningButtonTitle = Strings.missingCredentialsTitle + } + let blog = coordinator.blog let state = Self.viewState(for: scan) @@ -202,6 +207,7 @@ struct JetpackScanStatusViewModel { // MARK: - Localized Strings private struct Strings { + static let missingCredentialsTitle = NSLocalizedString("Enter your server credentials to enable threat fixing.", comment: "Title for button when a site is ") static let noThreatsTitle = NSLocalizedString("Don’t worry about a thing", comment: "Title for label when there are no threats on the users site") static let noThreatsDescriptionFormat = NSLocalizedString("The last Jetpack scan ran %1$@ and did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today.", comment: "Description for label when there are no threats on a users site and how long ago the scan ran.") static let noThreatsDescription = NSLocalizedString("The last jetpack scan did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today.", From c55476899a1954f1a76a3e7df2c1303d46aa0af0 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 12:01:26 +0900 Subject: [PATCH 012/190] Jetpack Scan: Add an action to the warning button --- .../Jetpack Scan/JetpackScanCoordinator.swift | 3 +++ .../Jetpack Scan/JetpackScanStatusCell.swift | 8 +++++++ .../Jetpack Scan/JetpackScanStatusCell.xib | 3 +++ .../JetpackScanStatusViewModel.swift | 22 +++++++++++++++---- 4 files changed, 32 insertions(+), 4 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index 35fd7fb3155b..9bae45bf75db 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -205,6 +205,9 @@ class JetpackScanCoordinator { supportVC.showFromTabBar() } + public func openJetpackSettings() { + } + public func noResultsButtonPressed() { guard let action = actionButtonState else { return diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift index ab7c37b183eb..927502f61fd8 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift @@ -91,6 +91,14 @@ class JetpackScanStatusCell: UITableViewCell, NibReusable { viewModel.secondaryButtonTapped(sender) } + @IBAction func warningButtonTapped(_ sender: Any) { + guard let viewModel = model else { + return + } + + viewModel.warningButtonTapped(sender) + } + // MARK: - Private: View Configuration private func configureProgressView() { progressView.isHidden = true diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib index 35228794efb5..ec2f6d4534e5 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.xib @@ -91,6 +91,9 @@ diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift index 3ee47f15ee9e..8e74765666bd 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift @@ -15,6 +15,7 @@ struct JetpackScanStatusViewModel { private var primaryButtonAction: ButtonAction? private var secondaryButtonAction: ButtonAction? + private var warningButtonAction: ButtonAction? init?(coordinator: JetpackScanCoordinator) { self.coordinator = coordinator @@ -25,10 +26,6 @@ struct JetpackScanStatusViewModel { hasValidCredentials = scan.hasValidCredentials - if !hasValidCredentials { - warningButtonTitle = Strings.missingCredentialsTitle - } - let blog = coordinator.blog let state = Self.viewState(for: scan) @@ -82,6 +79,11 @@ struct JetpackScanStatusViewModel { secondaryButtonTitle = Strings.scanAgainTitle secondaryButtonAction = .triggerScan + + if !hasValidCredentials { + warningButtonTitle = Strings.missingCredentialsTitle + warningButtonAction = .enterServerCredentials + } } } @@ -115,6 +117,7 @@ struct JetpackScanStatusViewModel { case triggerScan case fixAll case contactSupport + case enterServerCredentials } func primaryButtonTapped(_ sender: Any) { @@ -133,6 +136,14 @@ struct JetpackScanStatusViewModel { buttonTapped(action: action) } + func warningButtonTapped(_ sender: Any) { + guard let action = warningButtonAction else { + return + } + + buttonTapped(action: action) + } + private func buttonTapped(action: ButtonAction) { switch action { case .fixAll: @@ -145,6 +156,9 @@ struct JetpackScanStatusViewModel { case .contactSupport: coordinator.openSupport() + + case .enterServerCredentials: + coordinator.openJetpackSettings() } } From 646c8dcbb34aa1d0c332526c388e01f924386ecc Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 12:05:32 +0900 Subject: [PATCH 013/190] Jetpack Scan: Open Jetpack settings in a web vc --- .../Jetpack Scan/JetpackScanCoordinator.swift | 16 +++++++++++++++- .../Jetpack Scan/JetpackScanViewController.swift | 7 ++++++- 2 files changed, 21 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index 9bae45bf75db..a157db398525 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -9,10 +9,12 @@ protocol JetpackScanView { func showScanStartError() func presentAlert(_ alert: UIAlertController) - func presentNotice(with title: String, message: String) + func presentNotice(with title: String, message: String?) func showIgnoreThreatSuccess(for threat: JetpackScanThreat) func showIgnoreThreatError(for threat: JetpackScanThreat) + + func showJetpackSettings(webViewController: UIViewController) } class JetpackScanCoordinator { @@ -206,6 +208,14 @@ class JetpackScanCoordinator { } public func openJetpackSettings() { + guard let siteID = blog.dotComID as? Int, + let jetpackSettingsURL = URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") else { + view.presentNotice(with: Strings.jetpackSettingsNotice.title, message: nil) + return + } + + let controller = WebViewControllerFactory.controller(url: jetpackSettingsURL) + view.showJetpackSettings(webViewController: controller) } public func noResultsButtonPressed() { @@ -335,6 +345,10 @@ class JetpackScanCoordinator { static let messageSingleThreatFound = NSLocalizedString("1 potential threat found", comment: "Message for a notice informing the user their scan completed and 1 threat was found") } + struct jetpackSettingsNotice { + static let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") + } + static let fixAllAlertTitleFormat = NSLocalizedString("Please confirm you want to fix all %1$d active threats", comment: "Confirmation title presented before fixing all the threats, displays the number of threats to be fixed") static let fixAllSingleAlertTitle = NSLocalizedString("Please confirm you want to fix this threat", comment: "Confirmation title presented before fixing a single threat") static let fixAllAlertTitleMessage = NSLocalizedString("Jetpack will be fixing all the detected active threats.", comment: "Confirmation message presented before fixing all the threats, displays the number of threats to be fixed") diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift index 58af44865c3a..8e12e0ef0e48 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift @@ -103,7 +103,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { present(alert, animated: true, completion: nil) } - func presentNotice(with title: String, message: String) { + func presentNotice(with title: String, message: String?) { displayNotice(title: title, message: message) } @@ -125,6 +125,11 @@ class JetpackScanViewController: UIViewController, JetpackScanView { ActionDispatcher.dispatch(NoticeAction.post(notice)) } + func showJetpackSettings(webViewController: UIViewController) { + let navigationVC = UINavigationController(rootViewController: webViewController) + present(navigationVC, animated: true) + } + // MARK: - Actions @objc func showHistory() { let viewController = JetpackScanHistoryViewController(blog: blog) From b7884c99e8147e99df2db56c27e2d7a236cceac8 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 15:12:42 +0900 Subject: [PATCH 014/190] Threat Details: Update fix threat button to be enabled iff a site has valid server credentials --- .../JetpackScanHistoryViewController.swift | 8 ++++++-- .../JetpackScanThreatDetailsViewController.swift | 5 ++++- .../Jetpack Scan/JetpackScanViewController.swift | 13 ++++++++++--- 3 files changed, 20 insertions(+), 6 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift index 7fa1d1b2b0f3..8b4eaa7c18fa 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift @@ -2,6 +2,7 @@ import UIKit class JetpackScanHistoryViewController: UIViewController { private let blog: Blog + private let hasValidCredentials: Bool lazy var coordinator: JetpackScanHistoryCoordinator = { return JetpackScanHistoryCoordinator(blog: blog, view: self) @@ -17,8 +18,9 @@ class JetpackScanHistoryViewController: UIViewController { private var noResultsViewController: NoResultsViewController? // MARK: - Initializers - @objc init(blog: Blog) { + @objc init(blog: Blog, hasValidCredentials: Bool) { self.blog = blog + self.hasValidCredentials = hasValidCredentials super.init(nibName: nil, bundle: nil) } @@ -194,7 +196,9 @@ extension JetpackScanHistoryViewController: UITableViewDataSource, UITableViewDe return } - let threatDetailsVC = JetpackScanThreatDetailsViewController(blog: blog, threat: threat) + let threatDetailsVC = JetpackScanThreatDetailsViewController(blog: blog, + threat: threat, + hasValidCredentials: hasValidCredentials) self.navigationController?.pushViewController(threatDetailsVC, animated: true) WPAnalytics.track(.jetpackScanThreatListItemTapped, properties: ["threat_signature": threat.signature, "section": "history"]) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift index 538fde76d909..ea1d592460cb 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift @@ -46,6 +46,7 @@ class JetpackScanThreatDetailsViewController: UIViewController { private let blog: Blog private let threat: JetpackScanThreat + private let hasValidCredentials: Bool private lazy var viewModel: JetpackScanThreatViewModel = { return JetpackScanThreatViewModel(threat: threat) @@ -53,9 +54,10 @@ class JetpackScanThreatDetailsViewController: UIViewController { // MARK: - Init - init(blog: Blog, threat: JetpackScanThreat) { + init(blog: Blog, threat: JetpackScanThreat, hasValidCredentials: Bool) { self.blog = blog self.threat = threat + self.hasValidCredentials = hasValidCredentials super.init(nibName: nil, bundle: nil) } @@ -155,6 +157,7 @@ extension JetpackScanThreatDetailsViewController { if let fixActionTitle = viewModel.fixActionTitle { fixThreatButton.setTitle(fixActionTitle, for: .normal) + fixThreatButton.isEnabled = hasValidCredentials fixThreatButton.isHidden = false } else { fixThreatButton.isHidden = true diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift index 8e12e0ef0e48..5c46bef2c6a2 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift @@ -132,7 +132,11 @@ class JetpackScanViewController: UIViewController, JetpackScanView { // MARK: - Actions @objc func showHistory() { - let viewController = JetpackScanHistoryViewController(blog: blog) + guard let hasValidCredentials = coordinator.scan?.hasValidCredentials else { + return + } + + let viewController = JetpackScanHistoryViewController(blog: blog, hasValidCredentials: hasValidCredentials) navigationController?.pushViewController(viewController, animated: true) } @@ -269,11 +273,14 @@ extension JetpackScanViewController: UITableViewDataSource, UITableViewDelegate func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) { tableView.deselectRow(at: indexPath, animated: true) - guard let threat = threat(for: indexPath), threat.status != .fixing else { + guard let threat = threat(for: indexPath), threat.status != .fixing, + let hasValidCredentials = coordinator.scan?.hasValidCredentials else { return } - let threatDetailsVC = JetpackScanThreatDetailsViewController(blog: blog, threat: threat) + let threatDetailsVC = JetpackScanThreatDetailsViewController(blog: blog, + threat: threat, + hasValidCredentials: hasValidCredentials) threatDetailsVC.delegate = self self.navigationController?.pushViewController(threatDetailsVC, animated: true) From f8b318cf82226fa2bb35716b9ceffed0bea116cf Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 16:31:04 +0900 Subject: [PATCH 015/190] Threat Details: Add a warning button --- .../Jetpack Scan/JetpackScanCoordinator.swift | 4 ++++ .../JetpackScanHistoryViewController.swift | 2 +- ...JetpackScanThreatDetailsViewController.swift | 15 +++++++++++++-- .../JetpackScanThreatDetailsViewController.xib | 14 +++++++++++--- .../JetpackScanViewController.swift | 17 ++++++----------- .../JetpackScanThreatViewModel.swift | 15 ++++++++++++++- 6 files changed, 49 insertions(+), 18 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index a157db398525..5ce505fb9c02 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -28,6 +28,10 @@ class JetpackScanCoordinator { } } + var hasValidCredentials: Bool { + return scan?.hasValidCredentials ?? false + } + let blog: Blog /// Returns the threats if we're in the idle state diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift index 8b4eaa7c18fa..f19d9f2176a7 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift @@ -206,7 +206,7 @@ extension JetpackScanHistoryViewController: UITableViewDataSource, UITableViewDe } private func configureThreatCell(cell: JetpackScanThreatCell, threat: JetpackScanThreat) { - let model = JetpackScanThreatViewModel(threat: threat) + let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: hasValidCredentials) cell.configure(with: model) } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift index ea1d592460cb..0357aa71d480 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift @@ -38,6 +38,7 @@ class JetpackScanThreatDetailsViewController: UIViewController { @IBOutlet private weak var buttonsStackView: UIStackView! @IBOutlet private weak var fixThreatButton: FancyButton! @IBOutlet private weak var ignoreThreatButton: FancyButton! + @IBOutlet private weak var warningButton: UIButton! @IBOutlet weak var ignoreActivityIndicatorView: UIActivityIndicatorView! // MARK: - Properties @@ -49,7 +50,7 @@ class JetpackScanThreatDetailsViewController: UIViewController { private let hasValidCredentials: Bool private lazy var viewModel: JetpackScanThreatViewModel = { - return JetpackScanThreatViewModel(threat: threat) + return JetpackScanThreatViewModel(threat: threat, hasValidCredentials: hasValidCredentials) }() // MARK: - Init @@ -121,6 +122,9 @@ class JetpackScanThreatDetailsViewController: UIViewController { trackEvent(.jetpackScanIgnoreThreatDialogOpen) } + @IBAction func warningButtonTapped(_ sender: Any) { + } + // MARK: - Private private func trackEvent(_ event: WPAnalyticsEvent) { @@ -157,7 +161,7 @@ extension JetpackScanThreatDetailsViewController { if let fixActionTitle = viewModel.fixActionTitle { fixThreatButton.setTitle(fixActionTitle, for: .normal) - fixThreatButton.isEnabled = hasValidCredentials + fixThreatButton.isEnabled = viewModel.hasValidCredentials fixThreatButton.isHidden = false } else { fixThreatButton.isHidden = true @@ -170,6 +174,13 @@ extension JetpackScanThreatDetailsViewController { ignoreThreatButton.isHidden = true } + if let warningActionTitle = viewModel.warningActionTitle { + warningButton.isHidden = false + warningButton.setTitle(warningActionTitle, for: .normal) + } else { + warningButton.isHidden = true + } + applyStyles() } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.xib b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.xib index c5e2ed639840..91b1d6eb4a6a 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.xib +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.xib @@ -32,6 +32,7 @@ + @@ -43,10 +44,10 @@ - + - + @@ -166,7 +167,7 @@ - + diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift index 5c46bef2c6a2..7740852e8d12 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift @@ -111,7 +111,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { navigationController?.popViewController(animated: true) coordinator.refreshData() - let model = JetpackScanThreatViewModel(threat: threat) + let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: coordinator.hasValidCredentials) let notice = Notice(title: model.ignoreSuccessTitle) ActionDispatcher.dispatch(NoticeAction.post(notice)) } @@ -120,7 +120,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { navigationController?.popViewController(animated: true) coordinator.refreshData() - let model = JetpackScanThreatViewModel(threat: threat) + let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: coordinator.hasValidCredentials) let notice = Notice(title: model.ignoreErrorTitle) ActionDispatcher.dispatch(NoticeAction.post(notice)) } @@ -132,11 +132,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { // MARK: - Actions @objc func showHistory() { - guard let hasValidCredentials = coordinator.scan?.hasValidCredentials else { - return - } - - let viewController = JetpackScanHistoryViewController(blog: blog, hasValidCredentials: hasValidCredentials) + let viewController = JetpackScanHistoryViewController(blog: blog, hasValidCredentials: coordinator.hasValidCredentials) navigationController?.pushViewController(viewController, animated: true) } @@ -248,7 +244,7 @@ extension JetpackScanViewController: UITableViewDataSource, UITableViewDelegate } private func configureThreatCell(cell: JetpackScanThreatCell, threat: JetpackScanThreat) { - let model = JetpackScanThreatViewModel(threat: threat) + let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: coordinator.hasValidCredentials) cell.configure(with: model) } @@ -273,14 +269,13 @@ extension JetpackScanViewController: UITableViewDataSource, UITableViewDelegate func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) { tableView.deselectRow(at: indexPath, animated: true) - guard let threat = threat(for: indexPath), threat.status != .fixing, - let hasValidCredentials = coordinator.scan?.hasValidCredentials else { + guard let threat = threat(for: indexPath), threat.status != .fixing else { return } let threatDetailsVC = JetpackScanThreatDetailsViewController(blog: blog, threat: threat, - hasValidCredentials: hasValidCredentials) + hasValidCredentials: coordinator.hasValidCredentials) threatDetailsVC.delegate = self self.navigationController?.pushViewController(threatDetailsVC, animated: true) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift index 06638f8f83c9..63e8043260be 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift @@ -9,6 +9,7 @@ struct JetpackScanThreatViewModel { let title: String let description: String? let isFixing: Bool + let hasValidCredentials: Bool // Threat Details let detailIconImage: UIImage? @@ -28,6 +29,7 @@ struct JetpackScanThreatViewModel { let fixActionTitle: String? let ignoreActionTitle: String? let ignoreActionMessage: String + let warningActionTitle: String? // Threat Detail Success let fixSuccessTitle: String @@ -70,8 +72,9 @@ struct JetpackScanThreatViewModel { return threat.context?.attributedString(with: contextConfig) }() - init(threat: JetpackScanThreat) { + init(threat: JetpackScanThreat, hasValidCredentials: Bool) { self.threat = threat + self.hasValidCredentials = hasValidCredentials let status = threat.status @@ -99,6 +102,7 @@ struct JetpackScanThreatViewModel { fixActionTitle = Self.fixActionTitle(for: threat) ignoreActionTitle = Self.ignoreActionTitle(for: threat) ignoreActionMessage = Strings.details.actions.messages.ignore + warningActionTitle = Self.warningActionTitle(for: threat, hasValidCredentials: hasValidCredentials) // Threat Detail Success fixSuccessTitle = Strings.details.success.fix @@ -270,6 +274,14 @@ struct JetpackScanThreatViewModel { return Strings.details.actions.titles.ignore } + private static func warningActionTitle(for threat: JetpackScanThreat, hasValidCredentials: Bool) -> String? { + guard fixActionTitle(for: threat) != nil, !hasValidCredentials else { + return nil + } + + return Strings.details.actions.titles.enterServerCredentials + } + private struct Strings { struct details { @@ -309,6 +321,7 @@ struct JetpackScanThreatViewModel { struct titles { static let ignore = NSLocalizedString("Ignore threat", comment: "Title for button that will ignore the threat") static let fixable = NSLocalizedString("Fix threat", comment: "Title for button that will fix the threat") + static let enterServerCredentials = NSLocalizedString("Enter your server credentials to enable threat fixing.", comment: "Title for button when a site is ") } struct messages { From 2f4c0e31293162127b1ab3454a89a67011e1ba0a Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 14 Apr 2021 16:44:45 +0900 Subject: [PATCH 016/190] Threat Details: Open Jetpack settings in a web vc --- .../JetpackScanThreatDetailsViewController.swift | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift index 0357aa71d480..0128251917fe 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift @@ -123,6 +123,15 @@ class JetpackScanThreatDetailsViewController: UIViewController { } @IBAction func warningButtonTapped(_ sender: Any) { + guard let siteID = blog.dotComID as? Int, + let jetpackSettingsURL = URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") else { + displayNotice(title: Strings.jetpackSettingsNotice) + return + } + + let controller = WebViewControllerFactory.controller(url: jetpackSettingsURL) + let navVC = UINavigationController(rootViewController: controller) + present(navVC, animated: true) } // MARK: - Private @@ -256,5 +265,6 @@ extension JetpackScanThreatDetailsViewController { static let title = NSLocalizedString("Threat details", comment: "Title for the Jetpack Scan Threat Details screen") static let ok = NSLocalizedString("OK", comment: "OK button for alert") static let cancel = NSLocalizedString("Cancel", comment: "Cancel button for alert") + static let jetpackSettingsNotice = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") } } From 16458a05186a317eb94913374ab60e215d8b6b90 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Thu, 15 Apr 2021 14:43:22 +0900 Subject: [PATCH 017/190] Add jetpack settings URL to App Constants --- .../Classes/Utility/App Configuration/AppConstants.swift | 4 ++++ .../Restore Options/JetpackRestoreOptionsViewController.swift | 2 +- .../Jetpack/Jetpack Scan/JetpackScanCoordinator.swift | 2 +- .../Jetpack Scan/JetpackScanThreatDetailsViewController.swift | 2 +- WordPress/Jetpack/AppConstants.swift | 4 ++++ 5 files changed, 11 insertions(+), 3 deletions(-) diff --git a/WordPress/Classes/Utility/App Configuration/AppConstants.swift b/WordPress/Classes/Utility/App Configuration/AppConstants.swift index 3fca97999451..e56388579222 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConstants.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConstants.swift @@ -4,6 +4,10 @@ struct AppConstants { static let productTwitterHandle = "@WordPressiOS" static let productTwitterURL = "https://twitter.com/WordPressiOS" static let productBlogURL = "https://blog.wordpress.com" + + static func jetpackSettingsURL(siteID: Int) -> URL? { + return URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") + } } // MARK: - Localized Strings diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift index 5ff6d63b3a2d..f7bfd936caba 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift @@ -56,7 +56,7 @@ class JetpackRestoreOptionsViewController: BaseRestoreOptionsViewController { } override func detailActionButtonTapped() { - guard let jetpackSettingsURL = URL(string: "https://wordpress.com/settings/jetpack/\(site.siteID)") else { + guard let jetpackSettingsURL = AppConstants.jetpackSettingsURL(siteID: site.siteID) else { let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index 5ce505fb9c02..d8629f84c067 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -213,7 +213,7 @@ class JetpackScanCoordinator { public func openJetpackSettings() { guard let siteID = blog.dotComID as? Int, - let jetpackSettingsURL = URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") else { + let jetpackSettingsURL = AppConstants.jetpackSettingsURL(siteID: siteID) else { view.presentNotice(with: Strings.jetpackSettingsNotice.title, message: nil) return } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift index 0128251917fe..dc1689c4442a 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift @@ -124,7 +124,7 @@ class JetpackScanThreatDetailsViewController: UIViewController { @IBAction func warningButtonTapped(_ sender: Any) { guard let siteID = blog.dotComID as? Int, - let jetpackSettingsURL = URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") else { + let jetpackSettingsURL = AppConstants.jetpackSettingsURL(siteID: siteID) else { displayNotice(title: Strings.jetpackSettingsNotice) return } diff --git a/WordPress/Jetpack/AppConstants.swift b/WordPress/Jetpack/AppConstants.swift index 72d404af554b..2b75955ad216 100644 --- a/WordPress/Jetpack/AppConstants.swift +++ b/WordPress/Jetpack/AppConstants.swift @@ -4,6 +4,10 @@ struct AppConstants { static let productTwitterHandle = "@jetpack" static let productTwitterURL = "https://twitter.com/jetpack" static let productBlogURL = "https://jetpack.com/blog" + + static func jetpackSettingsURL(siteID: Int) -> URL? { + return URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") + } } // MARK: - Localized Strings From 51e657fdd123cc943a59345a79560ee5d68e9fe4 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Thu, 15 Apr 2021 14:48:55 +0900 Subject: [PATCH 018/190] Update copy for missing credentials --- .../Jetpack Scan/View Models/JetpackScanStatusViewModel.swift | 4 ++-- .../Jetpack Scan/View Models/JetpackScanThreatViewModel.swift | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift index 8e74765666bd..ae4885db97e6 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift @@ -81,7 +81,7 @@ struct JetpackScanStatusViewModel { secondaryButtonAction = .triggerScan if !hasValidCredentials { - warningButtonTitle = Strings.missingCredentialsTitle + warningButtonTitle = Strings.enterServerCredentialsTitle warningButtonAction = .enterServerCredentials } } @@ -221,7 +221,7 @@ struct JetpackScanStatusViewModel { // MARK: - Localized Strings private struct Strings { - static let missingCredentialsTitle = NSLocalizedString("Enter your server credentials to enable threat fixing.", comment: "Title for button when a site is ") + static let enterServerCredentialsTitle = NSLocalizedString("Enter your server credentials to fix threats.", comment: "Title for button when a site is ") static let noThreatsTitle = NSLocalizedString("Don’t worry about a thing", comment: "Title for label when there are no threats on the users site") static let noThreatsDescriptionFormat = NSLocalizedString("The last Jetpack scan ran %1$@ and did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today.", comment: "Description for label when there are no threats on a users site and how long ago the scan ran.") static let noThreatsDescription = NSLocalizedString("The last jetpack scan did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today.", diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift index 63e8043260be..11003739b14a 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift @@ -321,7 +321,7 @@ struct JetpackScanThreatViewModel { struct titles { static let ignore = NSLocalizedString("Ignore threat", comment: "Title for button that will ignore the threat") static let fixable = NSLocalizedString("Fix threat", comment: "Title for button that will fix the threat") - static let enterServerCredentials = NSLocalizedString("Enter your server credentials to enable threat fixing.", comment: "Title for button when a site is ") + static let enterServerCredentials = NSLocalizedString("Enter your server credentials to fix threat.", comment: "Title for button when a site is ") } struct messages { From 1992f756b688a83adcb1dac33f9e79b4ec62f7ec Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 16 Apr 2021 13:20:08 -0600 Subject: [PATCH 019/190] Add events for User Profile Sheet actions. --- .../Classes/Utility/Analytics/WPAnalyticsEvent.swift | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift b/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift index 7e99aed84d5e..2b54589bbea0 100644 --- a/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift +++ b/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift @@ -162,6 +162,10 @@ import Foundation case categoryFilterSelected case categoryFilterDeselected + // User Profile Sheet + case userProfileShown + case userProfileSiteShown + /// A String that represents the event var value: String { switch self { @@ -444,6 +448,12 @@ import Foundation return "category_filter_selected" case .categoryFilterDeselected: return "category_filter_deselected" + + // User Profile Sheet + case .userProfileShown: + return "user_profile_shown" + case .userProfileSiteShown: + return "user_profile_site_shown" } } From 2266499b53abe881967948176894c7f4bf6257d0 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 16 Apr 2021 13:20:24 -0600 Subject: [PATCH 020/190] Track user profile shown. --- .../Controllers/NotificationDetailsViewController.swift | 2 ++ 1 file changed, 2 insertions(+) diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift index 9f0034163bda..8020c270b4a9 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift @@ -988,6 +988,8 @@ private extension NotificationDetailsViewController { let sourceView = tableView.cellForRow(at: indexPath) ?? view bottomSheet.show(from: self, sourceView: sourceView) + + WPAnalytics.track(.userProfileShown, properties: ["source": "like_notification_list"]) } } From 8653e1c7a0ff4546610f68001371ba2990e28e8f Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 16 Apr 2021 13:20:57 -0600 Subject: [PATCH 021/190] Add source to indicate where the view was shown from. --- .../Reader/ReaderStreamViewController.swift | 13 ++++++++++++- 1 file changed, 12 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift index f76e567fa1fc..99ea55ccd7d7 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift @@ -181,6 +181,14 @@ import WordPressFlux } } + /// Used for the `source` property in Stats. + /// Indicates where the view was shown from. + enum StatSource: String { + case reader + case user_profile + } + var statSource: StatSource = StatSource.reader + /// Facilitates sharing of a blog via `ReaderStreamViewController+Sharing.swift`. let sharingController = PostSharingController() @@ -718,14 +726,17 @@ import WordPressFlux assertionFailure("A reader topic is required") return nil } + let title = topic.title var key: String = "list" + if ReaderHelpers.isTopicTag(topic) { key = "tag" } else if ReaderHelpers.isTopicSite(topic) { key = "site" } - return [key: title] + + return [key: title, "source": statSource.rawValue] } /// The fetch request can need a different predicate depending on how the content From 4a310da51fc2e5fa6b52c2fb12043242c15f6c36 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 16 Apr 2021 13:21:41 -0600 Subject: [PATCH 022/190] Track when site is shown from the user profile sheet. --- .../UserProfileSheetViewController.swift | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift index 9f7e0a0148fd..fe6ad5c5f95b 100644 --- a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift +++ b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift @@ -136,13 +136,14 @@ extension UserProfileSheetViewController { private extension UserProfileSheetViewController { func showSite() { + WPAnalytics.track(.userProfileSiteShown) // TODO: Remove. For testing only. Use siteID from user object. var stubbySiteID: NSNumber? // use this to test external site - // stubbySiteID = nil + stubbySiteID = nil // use this to test internal site - stubbySiteID = NSNumber(value: 9999999999) + // stubbySiteID = NSNumber(value: 9999999999) guard let siteID = stubbySiteID else { showSiteWebView() @@ -154,13 +155,14 @@ private extension UserProfileSheetViewController { func showSiteTopicWithID(_ siteID: NSNumber) { let controller = ReaderStreamViewController.controllerWithSiteID(siteID, isFeed: false) + controller.statSource = ReaderStreamViewController.StatSource.user_profile let navController = UINavigationController(rootViewController: controller) present(navController, animated: true) } func showSiteWebView() { // TODO: Remove. For testing only. Use URL from user object. - let siteUrl = "http://www.peopleofwalmart.com/" + let siteUrl = "https://www.funnycatpix.com/" guard let url = URL(string: siteUrl) else { DDLogError("User Profile: Error creating URL from site string.") From e80ffd6a22dd4b63f6702fa26725e94dccdf580b Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 16 Apr 2021 13:48:17 -0600 Subject: [PATCH 023/190] Remove unnecessary type. --- .../Classes/ViewRelated/Reader/ReaderStreamViewController.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift index 99ea55ccd7d7..a93aa1db2cae 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderStreamViewController.swift @@ -187,7 +187,7 @@ import WordPressFlux case reader case user_profile } - var statSource: StatSource = StatSource.reader + var statSource: StatSource = .reader /// Facilitates sharing of a blog via `ReaderStreamViewController+Sharing.swift`. let sharingController = PostSharingController() From eb6f95e3b063ea413d361f2afca9bf2b4f02f98b Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 14 Apr 2021 10:51:23 -0400 Subject: [PATCH 024/190] Detect local author ID changes to an AbstractPost. --- WordPress/Classes/Models/AbstractPost.m | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/WordPress/Classes/Models/AbstractPost.m b/WordPress/Classes/Models/AbstractPost.m index 6d0d8f4ece48..f05762f90256 100644 --- a/WordPress/Classes/Models/AbstractPost.m +++ b/WordPress/Classes/Models/AbstractPost.m @@ -582,6 +582,12 @@ - (BOOL)hasLocalChanges return YES; } + if ((self.authorID != original.authorID) + && (![self.authorID isEqual:original.authorID])) + { + return YES; + } + return NO; } From 8a6ae61164be39145343c1797f2e251a3e8822e9 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 14 Apr 2021 10:57:09 -0400 Subject: [PATCH 025/190] Set the author ID and author for new Posts and Pages so that they'll be available in the settings UI. --- WordPress/Classes/Services/PostService.m | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/WordPress/Classes/Services/PostService.m b/WordPress/Classes/Services/PostService.m index 3481b132f0ff..7590242f005a 100644 --- a/WordPress/Classes/Services/PostService.m +++ b/WordPress/Classes/Services/PostService.m @@ -54,6 +54,8 @@ - (Post *)createPostForBlog:(Blog *)blog { post.postFormat = blog.settings.defaultPostFormat; post.postType = Post.typeDefaultIdentifier; + post.authorID = blog.account.userID; + post.author = blog.account.displayName; [blog.managedObjectContext obtainPermanentIDsForObjects:@[post] error:nil]; NSAssert(![post.objectID isTemporaryID], @"The new post for this blog must have a permanent ObjectID"); @@ -73,6 +75,8 @@ - (Page *)createPageForBlog:(Blog *)blog { page.blog = blog; page.date_created_gmt = [NSDate date]; page.remoteStatus = AbstractPostRemoteStatusSync; + page.authorID = blog.account.userID; + page.author = blog.account.displayName; [blog.managedObjectContext obtainPermanentIDsForObjects:@[page] error:nil]; NSAssert(![page.objectID isTemporaryID], @"The new page for this blog must have a permanent ObjectID"); From aeb7d0a614027b476903ea59d19c79183aff33b7 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 14 Apr 2021 10:58:52 -0400 Subject: [PATCH 026/190] Set the author ID for RemotePosts so the API request will include it. --- WordPress/Classes/Services/PostService.m | 1 + 1 file changed, 1 insertion(+) diff --git a/WordPress/Classes/Services/PostService.m b/WordPress/Classes/Services/PostService.m index 7590242f005a..4ee08493fe43 100644 --- a/WordPress/Classes/Services/PostService.m +++ b/WordPress/Classes/Services/PostService.m @@ -928,6 +928,7 @@ - (RemotePost *)remotePostWithPost:(AbstractPost *)post remotePost.password = post.password; remotePost.type = @"post"; remotePost.authorAvatarURL = post.authorAvatarURL; + remotePost.authorID = post.authorID; remotePost.excerpt = post.mt_excerpt; remotePost.slug = post.wp_slug; From 3755fc86a6ac55ae578d2f99facc63c376390399 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 14 Apr 2021 14:11:43 -0400 Subject: [PATCH 027/190] Add tests for local author changes. --- WordPress/WordPressTest/PostTests.swift | 20 ++++++++++++++++++++ 1 file changed, 20 insertions(+) diff --git a/WordPress/WordPressTest/PostTests.swift b/WordPress/WordPressTest/PostTests.swift index cf8e6c7f1688..bf01513c6e01 100644 --- a/WordPress/WordPressTest/PostTests.swift +++ b/WordPress/WordPressTest/PostTests.swift @@ -519,4 +519,24 @@ class PostTests: XCTestCase { XCTAssertFalse(revision.hasLocalChanges()) } + + /// When changing an authorID hasLocalChanges returns true + func testLocalChangesWhenAuthorIsChanged() { + let post = newTestPost() + post.authorID = 1 + let revision = post.createRevision() + revision.authorID = 2 + + XCTAssertTrue(revision.hasLocalChanges()) + } + + /// When setting the same authorID hasLocalChanges returns false + func testLocalChangesWhenAuthorIsTheSame() { + let post = newTestPost() + post.authorID = 1 + let revision = post.createRevision() + revision.authorID = 1 + + XCTAssertFalse(revision.hasLocalChanges()) + } } From 43b3c4824821f71b6aa2ad17a11e62892c73ec32 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 14 Apr 2021 17:57:12 -0400 Subject: [PATCH 028/190] Query for the author on Page and Post creation, due to self-hosted sites. --- WordPress/Classes/Services/PostService.m | 12 ++++++++---- 1 file changed, 8 insertions(+), 4 deletions(-) diff --git a/WordPress/Classes/Services/PostService.m b/WordPress/Classes/Services/PostService.m index 4ee08493fe43..373b7813989d 100644 --- a/WordPress/Classes/Services/PostService.m +++ b/WordPress/Classes/Services/PostService.m @@ -54,8 +54,10 @@ - (Post *)createPostForBlog:(Blog *)blog { post.postFormat = blog.settings.defaultPostFormat; post.postType = Post.typeDefaultIdentifier; - post.authorID = blog.account.userID; - post.author = blog.account.displayName; + + BlogAuthor *author = [blog getAuthorWithId:blog.userID]; + post.authorID = author.userID ?: blog.account.userID; + post.author = author.displayName ?: blog.account.displayName; [blog.managedObjectContext obtainPermanentIDsForObjects:@[post] error:nil]; NSAssert(![post.objectID isTemporaryID], @"The new post for this blog must have a permanent ObjectID"); @@ -75,8 +77,10 @@ - (Page *)createPageForBlog:(Blog *)blog { page.blog = blog; page.date_created_gmt = [NSDate date]; page.remoteStatus = AbstractPostRemoteStatusSync; - page.authorID = blog.account.userID; - page.author = blog.account.displayName; + + BlogAuthor *author = [blog getAuthorWithId:blog.userID]; + page.authorID = author.userID ?: blog.account.userID; + page.author = author.displayName ?: blog.account.displayName; [blog.managedObjectContext obtainPermanentIDsForObjects:@[page] error:nil]; NSAssert(![page.objectID isTemporaryID], @"The new page for this blog must have a permanent ObjectID"); From 17406b859a2c97c3edeef1f5e975e3766ec4d1af Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Fri, 16 Apr 2021 16:14:25 -0400 Subject: [PATCH 029/190] Point to accompanying WPKit updates. --- Podfile | 4 ++-- Podfile.lock | 11 ++++++++--- 2 files changed, 10 insertions(+), 5 deletions(-) diff --git a/Podfile b/Podfile index b6aae18af851..b90d7bee3d43 100644 --- a/Podfile +++ b/Podfile @@ -47,9 +47,9 @@ def wordpress_ui end def wordpress_kit - pod 'WordPressKit', '~> 4.31.0-beta3' + # pod 'WordPressKit', '~> 4.31.0-beta3' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' + pod 'WordPressKit', :git => 'https://github.com/twstokes/WordPressKit-iOS.git', :branch => 'feature/add-or-change-author' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index 5eae3a7ea87d..9f64dcbedfe5 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.36.0) - - WordPressKit (~> 4.31.0-beta3) + - WordPressKit (from `https://github.com/twstokes/WordPressKit-iOS.git`, branch `feature/add-or-change-author`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.9.0) @@ -550,7 +550,6 @@ SPEC REPOS: - UIDeviceIdentifier - WordPress-Aztec-iOS - WordPress-Editor-iOS - - WordPressKit - WordPressMocks - WordPressShared - WordPressUI @@ -651,6 +650,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :branch: feature/add-or-change-author + :git: https://github.com/twstokes/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -666,6 +668,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :commit: 659a67a99c4ace46a2e7a58a5a770fc1cdce3108 + :git: https://github.com/twstokes/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 0cdfb93c1da9f10fdb808a2418d48b9ec3990676 +PODFILE CHECKSUM: 447f6649806f33a79cb5ff470b39429b406086c9 COCOAPODS: 1.10.0 From 59b661edeb11dfc913457e6f62f1daf142d28b81 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Mon, 19 Apr 2021 11:42:48 +0900 Subject: [PATCH 030/190] Add jetpack settings webview controller extension method Delete jetpack settings URL from App Constants --- .../Classes/Utility/App Configuration/AppConstants.swift | 4 ---- WordPress/Classes/Utility/WebViewControllerFactory.swift | 9 +++++++++ .../JetpackRestoreOptionsViewController.swift | 5 ++--- .../Jetpack/Jetpack Scan/JetpackScanCoordinator.swift | 3 +-- .../JetpackScanThreatDetailsViewController.swift | 3 +-- WordPress/Jetpack/AppConstants.swift | 4 ---- 6 files changed, 13 insertions(+), 15 deletions(-) diff --git a/WordPress/Classes/Utility/App Configuration/AppConstants.swift b/WordPress/Classes/Utility/App Configuration/AppConstants.swift index e56388579222..3fca97999451 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConstants.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConstants.swift @@ -4,10 +4,6 @@ struct AppConstants { static let productTwitterHandle = "@WordPressiOS" static let productTwitterURL = "https://twitter.com/WordPressiOS" static let productBlogURL = "https://blog.wordpress.com" - - static func jetpackSettingsURL(siteID: Int) -> URL? { - return URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") - } } // MARK: - Localized Strings diff --git a/WordPress/Classes/Utility/WebViewControllerFactory.swift b/WordPress/Classes/Utility/WebViewControllerFactory.swift index b354f5b2e082..fa8e606c6266 100644 --- a/WordPress/Classes/Utility/WebViewControllerFactory.swift +++ b/WordPress/Classes/Utility/WebViewControllerFactory.swift @@ -40,3 +40,12 @@ class WebViewControllerFactory: NSObject { } } + +extension WebViewControllerFactory { + static func jetpackSettingsWebViewController(siteID: Int) -> UIViewController? { + guard let url = URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") else { + return nil + } + return controller(url: url) + } +} diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift index f7bfd936caba..d53deb93c800 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift @@ -56,7 +56,7 @@ class JetpackRestoreOptionsViewController: BaseRestoreOptionsViewController { } override func detailActionButtonTapped() { - guard let jetpackSettingsURL = AppConstants.jetpackSettingsURL(siteID: site.siteID) else { + guard let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: site.siteID) else { let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") @@ -65,8 +65,7 @@ class JetpackRestoreOptionsViewController: BaseRestoreOptionsViewController { return } - let webVC = WebViewControllerFactory.controller(url: jetpackSettingsURL) - let navigationVC = UINavigationController(rootViewController: webVC) + let navigationVC = UINavigationController(rootViewController: controller) present(navigationVC, animated: true) } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index d8629f84c067..ccd0a73f6801 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -213,12 +213,11 @@ class JetpackScanCoordinator { public func openJetpackSettings() { guard let siteID = blog.dotComID as? Int, - let jetpackSettingsURL = AppConstants.jetpackSettingsURL(siteID: siteID) else { + let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: siteID) else { view.presentNotice(with: Strings.jetpackSettingsNotice.title, message: nil) return } - let controller = WebViewControllerFactory.controller(url: jetpackSettingsURL) view.showJetpackSettings(webViewController: controller) } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift index dc1689c4442a..fea7fc2afb8c 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift @@ -124,12 +124,11 @@ class JetpackScanThreatDetailsViewController: UIViewController { @IBAction func warningButtonTapped(_ sender: Any) { guard let siteID = blog.dotComID as? Int, - let jetpackSettingsURL = AppConstants.jetpackSettingsURL(siteID: siteID) else { + let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: siteID) else { displayNotice(title: Strings.jetpackSettingsNotice) return } - let controller = WebViewControllerFactory.controller(url: jetpackSettingsURL) let navVC = UINavigationController(rootViewController: controller) present(navVC, animated: true) } diff --git a/WordPress/Jetpack/AppConstants.swift b/WordPress/Jetpack/AppConstants.swift index 2b75955ad216..72d404af554b 100644 --- a/WordPress/Jetpack/AppConstants.swift +++ b/WordPress/Jetpack/AppConstants.swift @@ -4,10 +4,6 @@ struct AppConstants { static let productTwitterHandle = "@jetpack" static let productTwitterURL = "https://twitter.com/jetpack" static let productBlogURL = "https://jetpack.com/blog" - - static func jetpackSettingsURL(siteID: Int) -> URL? { - return URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") - } } // MARK: - Localized Strings From 062614b575909ef165c72ff03744f03695b225b5 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Mon, 19 Apr 2021 13:24:21 +0900 Subject: [PATCH 031/190] Reduce use of hasValidCredentials --- .../JetpackScanHistoryViewController.swift | 10 +++------- .../Jetpack/Jetpack Scan/JetpackScanStatusCell.swift | 2 +- .../JetpackScanThreatDetailsViewController.swift | 4 ++-- .../Jetpack Scan/JetpackScanViewController.swift | 8 ++++---- .../View Models/JetpackScanStatusViewModel.swift | 8 ++++---- .../View Models/JetpackScanThreatViewModel.swift | 12 ++++++++---- 6 files changed, 22 insertions(+), 22 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift index f19d9f2176a7..7fa1d1b2b0f3 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanHistoryViewController.swift @@ -2,7 +2,6 @@ import UIKit class JetpackScanHistoryViewController: UIViewController { private let blog: Blog - private let hasValidCredentials: Bool lazy var coordinator: JetpackScanHistoryCoordinator = { return JetpackScanHistoryCoordinator(blog: blog, view: self) @@ -18,9 +17,8 @@ class JetpackScanHistoryViewController: UIViewController { private var noResultsViewController: NoResultsViewController? // MARK: - Initializers - @objc init(blog: Blog, hasValidCredentials: Bool) { + @objc init(blog: Blog) { self.blog = blog - self.hasValidCredentials = hasValidCredentials super.init(nibName: nil, bundle: nil) } @@ -196,9 +194,7 @@ extension JetpackScanHistoryViewController: UITableViewDataSource, UITableViewDe return } - let threatDetailsVC = JetpackScanThreatDetailsViewController(blog: blog, - threat: threat, - hasValidCredentials: hasValidCredentials) + let threatDetailsVC = JetpackScanThreatDetailsViewController(blog: blog, threat: threat) self.navigationController?.pushViewController(threatDetailsVC, animated: true) WPAnalytics.track(.jetpackScanThreatListItemTapped, properties: ["threat_signature": threat.signature, "section": "history"]) @@ -206,7 +202,7 @@ extension JetpackScanHistoryViewController: UITableViewDataSource, UITableViewDe } private func configureThreatCell(cell: JetpackScanThreatCell, threat: JetpackScanThreat) { - let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: hasValidCredentials) + let model = JetpackScanThreatViewModel(threat: threat) cell.configure(with: model) } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift index 927502f61fd8..7036ab06e078 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanStatusCell.swift @@ -40,7 +40,7 @@ class JetpackScanStatusCell: UITableViewCell, NibReusable { } primaryButton.setTitle(primaryTitle, for: .normal) - primaryButton.isEnabled = model.hasValidCredentials + primaryButton.isEnabled = model.primaryButtonEnabled primaryButton.isHidden = false } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift index fea7fc2afb8c..28e8287b9358 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift @@ -55,7 +55,7 @@ class JetpackScanThreatDetailsViewController: UIViewController { // MARK: - Init - init(blog: Blog, threat: JetpackScanThreat, hasValidCredentials: Bool) { + init(blog: Blog, threat: JetpackScanThreat, hasValidCredentials: Bool = false) { self.blog = blog self.threat = threat self.hasValidCredentials = hasValidCredentials @@ -169,7 +169,7 @@ extension JetpackScanThreatDetailsViewController { if let fixActionTitle = viewModel.fixActionTitle { fixThreatButton.setTitle(fixActionTitle, for: .normal) - fixThreatButton.isEnabled = viewModel.hasValidCredentials + fixThreatButton.isEnabled = viewModel.fixActionEnabled fixThreatButton.isHidden = false } else { fixThreatButton.isHidden = true diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift index 7740852e8d12..267f2adf283e 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift @@ -111,7 +111,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { navigationController?.popViewController(animated: true) coordinator.refreshData() - let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: coordinator.hasValidCredentials) + let model = JetpackScanThreatViewModel(threat: threat) let notice = Notice(title: model.ignoreSuccessTitle) ActionDispatcher.dispatch(NoticeAction.post(notice)) } @@ -120,7 +120,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { navigationController?.popViewController(animated: true) coordinator.refreshData() - let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: coordinator.hasValidCredentials) + let model = JetpackScanThreatViewModel(threat: threat) let notice = Notice(title: model.ignoreErrorTitle) ActionDispatcher.dispatch(NoticeAction.post(notice)) } @@ -132,7 +132,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { // MARK: - Actions @objc func showHistory() { - let viewController = JetpackScanHistoryViewController(blog: blog, hasValidCredentials: coordinator.hasValidCredentials) + let viewController = JetpackScanHistoryViewController(blog: blog) navigationController?.pushViewController(viewController, animated: true) } @@ -244,7 +244,7 @@ extension JetpackScanViewController: UITableViewDataSource, UITableViewDelegate } private func configureThreatCell(cell: JetpackScanThreatCell, threat: JetpackScanThreat) { - let model = JetpackScanThreatViewModel(threat: threat, hasValidCredentials: coordinator.hasValidCredentials) + let model = JetpackScanThreatViewModel(threat: threat) cell.configure(with: model) } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift index ae4885db97e6..f48f88c5cfa2 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift @@ -4,9 +4,9 @@ struct JetpackScanStatusViewModel { let imageName: String let title: String let description: String - let hasValidCredentials: Bool private(set) var primaryButtonTitle: String? + private(set) var primaryButtonEnabled: Bool = true private(set) var secondaryButtonTitle: String? private(set) var warningButtonTitle: String? private(set) var progress: Float? @@ -24,8 +24,6 @@ struct JetpackScanStatusViewModel { return nil } - hasValidCredentials = scan.hasValidCredentials - let blog = coordinator.blog let state = Self.viewState(for: scan) @@ -80,9 +78,11 @@ struct JetpackScanStatusViewModel { secondaryButtonTitle = Strings.scanAgainTitle secondaryButtonAction = .triggerScan - if !hasValidCredentials { + if !scan.hasValidCredentials { warningButtonTitle = Strings.enterServerCredentialsTitle warningButtonAction = .enterServerCredentials + + primaryButtonEnabled = false } } } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift index 11003739b14a..4651819c4ff7 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift @@ -9,7 +9,7 @@ struct JetpackScanThreatViewModel { let title: String let description: String? let isFixing: Bool - let hasValidCredentials: Bool + private let hasValidCredentials: Bool? // Threat Details let detailIconImage: UIImage? @@ -27,6 +27,7 @@ struct JetpackScanThreatViewModel { // Threat Detail Action let fixActionTitle: String? + let fixActionEnabled: Bool let ignoreActionTitle: String? let ignoreActionMessage: String let warningActionTitle: String? @@ -72,7 +73,7 @@ struct JetpackScanThreatViewModel { return threat.context?.attributedString(with: contextConfig) }() - init(threat: JetpackScanThreat, hasValidCredentials: Bool) { + init(threat: JetpackScanThreat, hasValidCredentials: Bool? = nil) { self.threat = threat self.hasValidCredentials = hasValidCredentials @@ -100,6 +101,7 @@ struct JetpackScanThreatViewModel { // Threat Details Action fixActionTitle = Self.fixActionTitle(for: threat) + fixActionEnabled = hasValidCredentials ?? false ignoreActionTitle = Self.ignoreActionTitle(for: threat) ignoreActionMessage = Strings.details.actions.messages.ignore warningActionTitle = Self.warningActionTitle(for: threat, hasValidCredentials: hasValidCredentials) @@ -274,8 +276,10 @@ struct JetpackScanThreatViewModel { return Strings.details.actions.titles.ignore } - private static func warningActionTitle(for threat: JetpackScanThreat, hasValidCredentials: Bool) -> String? { - guard fixActionTitle(for: threat) != nil, !hasValidCredentials else { + private static func warningActionTitle(for threat: JetpackScanThreat, hasValidCredentials: Bool?) -> String? { + guard fixActionTitle(for: threat) != nil, + let hasValidCredentials = hasValidCredentials, + !hasValidCredentials else { return nil } From 699aa2469cfa7ab6afd9be13d090b0621656328d Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Mon, 19 Apr 2021 14:58:12 +0900 Subject: [PATCH 032/190] Move view logic from coordinator to VC --- .../Jetpack Scan/JetpackScanCoordinator.swift | 15 ++++----------- .../Jetpack Scan/JetpackScanViewController.swift | 13 ++++++++++--- 2 files changed, 14 insertions(+), 14 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index ccd0a73f6801..d8ea16a72169 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -9,12 +9,12 @@ protocol JetpackScanView { func showScanStartError() func presentAlert(_ alert: UIAlertController) - func presentNotice(with title: String, message: String?) + func presentNotice(with title: String, message: String) func showIgnoreThreatSuccess(for threat: JetpackScanThreat) func showIgnoreThreatError(for threat: JetpackScanThreat) - func showJetpackSettings(webViewController: UIViewController) + func showJetpackSettings(with siteID: Int) } class JetpackScanCoordinator { @@ -212,13 +212,10 @@ class JetpackScanCoordinator { } public func openJetpackSettings() { - guard let siteID = blog.dotComID as? Int, - let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: siteID) else { - view.presentNotice(with: Strings.jetpackSettingsNotice.title, message: nil) + guard let siteID = blog.dotComID as? Int else { return } - - view.showJetpackSettings(webViewController: controller) + view.showJetpackSettings(with: siteID) } public func noResultsButtonPressed() { @@ -348,10 +345,6 @@ class JetpackScanCoordinator { static let messageSingleThreatFound = NSLocalizedString("1 potential threat found", comment: "Message for a notice informing the user their scan completed and 1 threat was found") } - struct jetpackSettingsNotice { - static let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") - } - static let fixAllAlertTitleFormat = NSLocalizedString("Please confirm you want to fix all %1$d active threats", comment: "Confirmation title presented before fixing all the threats, displays the number of threats to be fixed") static let fixAllSingleAlertTitle = NSLocalizedString("Please confirm you want to fix this threat", comment: "Confirmation title presented before fixing a single threat") static let fixAllAlertTitleMessage = NSLocalizedString("Jetpack will be fixing all the detected active threats.", comment: "Confirmation message presented before fixing all the threats, displays the number of threats to be fixed") diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift index 267f2adf283e..eb1215471c4d 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift @@ -103,7 +103,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { present(alert, animated: true, completion: nil) } - func presentNotice(with title: String, message: String?) { + func presentNotice(with title: String, message: String) { displayNotice(title: title, message: message) } @@ -125,8 +125,15 @@ class JetpackScanViewController: UIViewController, JetpackScanView { ActionDispatcher.dispatch(NoticeAction.post(notice)) } - func showJetpackSettings(webViewController: UIViewController) { - let navigationVC = UINavigationController(rootViewController: webViewController) + func showJetpackSettings(with siteID: Int) { + guard let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: siteID) else { + + let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") + displayNotice(title: title) + return + } + + let navigationVC = UINavigationController(rootViewController: controller) present(navigationVC, animated: true) } From 82dce281b6009030b9d754df0596bc182ef776c0 Mon Sep 17 00:00:00 2001 From: Leandro Alonso Date: Mon, 19 Apr 2021 13:31:28 -0300 Subject: [PATCH 033/190] Add: Jetpack 'jpios' tracks prefix --- .../Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m | 1 + WordPress/Classes/Utility/App Configuration/AppConstants.swift | 3 ++- WordPress/Jetpack/AppConstants.swift | 3 ++- 3 files changed, 5 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m b/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m index 620e9f6cdfe4..5ed162e6dfac 100644 --- a/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m +++ b/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m @@ -47,6 +47,7 @@ - (instancetype)init if (self) { _contextManager = [TracksContextManager new]; _tracksService = [[TracksService alloc] initWithContextManager:_contextManager]; + _tracksService.eventNamePrefix = [AppConstants eventNamePrefix]; } return self; } diff --git a/WordPress/Classes/Utility/App Configuration/AppConstants.swift b/WordPress/Classes/Utility/App Configuration/AppConstants.swift index bce23bd0f47c..90fd7ab6ba07 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConstants.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConstants.swift @@ -1,10 +1,11 @@ import Foundation -struct AppConstants { +@objc class AppConstants: NSObject { static let productTwitterHandle = "@WordPressiOS" static let productTwitterURL = "https://twitter.com/WordPressiOS" static let productBlogURL = "https://blog.wordpress.com" static let ticketSubject = NSLocalizedString("WordPress for iOS Support", comment: "Subject of new Zendesk ticket.") + @objc static let eventNamePrefix = "wpios" /// Notifications Constants /// diff --git a/WordPress/Jetpack/AppConstants.swift b/WordPress/Jetpack/AppConstants.swift index e740d41a3b57..72b3aa38aeb9 100644 --- a/WordPress/Jetpack/AppConstants.swift +++ b/WordPress/Jetpack/AppConstants.swift @@ -1,10 +1,11 @@ import Foundation -struct AppConstants { +@objc class AppConstants: NSObject { static let productTwitterHandle = "@jetpack" static let productTwitterURL = "https://twitter.com/jetpack" static let productBlogURL = "https://jetpack.com/blog" static let ticketSubject = "Jetpack for iOS Support" + @objc static let eventNamePrefix = "jpios" /// Notifications Constants /// From a6b26d9120605bc1b42c871d61280aa541ed47b8 Mon Sep 17 00:00:00 2001 From: Brandon Titus Date: Mon, 19 Apr 2021 12:51:32 -0600 Subject: [PATCH 034/190] Fix #16248: Move shceduling dismiss to didDisappear --- .../SchedulingCalendarViewController+PresentFrom.swift | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Post/Scheduling/SchedulingCalendarViewController+PresentFrom.swift b/WordPress/Classes/ViewRelated/Post/Scheduling/SchedulingCalendarViewController+PresentFrom.swift index edc9112cb2bc..38b78c845735 100644 --- a/WordPress/Classes/ViewRelated/Post/Scheduling/SchedulingCalendarViewController+PresentFrom.swift +++ b/WordPress/Classes/ViewRelated/Post/Scheduling/SchedulingCalendarViewController+PresentFrom.swift @@ -39,8 +39,8 @@ extension SchedulingCalendarViewController: UIViewControllerTransitioningDelegat class SchedulingLightNavigationController: LightNavigationController { var onDismiss: (() -> Void)? - override func viewWillDisappear(_ animated: Bool) { - super.viewWillDisappear(animated) + override func viewDidDisappear(_ animated: Bool) { + super.viewDidDisappear(animated) onDismiss?() } } From 65ac45bef4c8018b2fc83ec23f53f5d30fb9ac93 Mon Sep 17 00:00:00 2001 From: Jeremy Massel Date: Mon, 19 Apr 2021 13:51:23 -0600 Subject: [PATCH 035/190] Include strings updates --- .../Resources/en.lproj/Localizable.strings | Bin 759064 -> 763242 bytes 1 file changed, 0 insertions(+), 0 deletions(-) diff --git a/WordPress/Resources/en.lproj/Localizable.strings b/WordPress/Resources/en.lproj/Localizable.strings index b4dea9ca6a466f371f3ef3c7ee29d6b600fa0291..ad8af836d8fbcaa1cbe40ed6fa5d492e30392079 100644 GIT binary patch delta 4833 zcmdT|3vg7`8NTPf@7c|AlikfbVM+6lB?%i|wMa6XD5w}hps^wYZI&dwT#_}rA&_<; z2r5MyH(bnbEu>*e6;UxY>ZR(?pp-h1(%`h?3zG;llU(3cGz;ToE^y^Kc8eMy`R|V0<(?r63>aIN8o3R4c&# zJ12)L;#iGmw8KBu~1(^2ZMF(WV& zcsMT%4Jb+AIW37$>$fGsZe4NNn8F@3V*?k219>#1z{@Q}VlCRG9{)UC*+u^`OL~!J zwh5z^8<1NIXSU*zr%geHdH)dT6>r`*8&$car&NwY-v(1|)-pi9UQYb)XqxBc7NM54 zcvslc#=|W|U$5g@EIorv2Gq3{j+CEH&Tpn6G%x%U<9Cpv(-Lw?8yh2pyS|F;R zzoyz#{20|Nef(S&t}ez;7LIWaO8+1^p;weeBdXJ$JvUxWd-PlO#)1E@L^ty5vY>OZ zs2i*5vW>ewNHF%*Wm(^UtV_ky)%>3RS~<<|+_6+*`4NF7S1WGg^mcWaGzPb)bljqO zdOq2@T7ZEjVh7buTt@I7wI^%Gtj#d6lTS5be=CD?gwUsag+j$^cwp2mifQF|RsgF5s|&-YMlchZT~|ZtYrMOF4HRFENSPH{#SQxYZj)#UP7~t{wK2`+JvFEBFaB;jnTT>2LmSvHQRpA zyIe+V)xx-1l(h-rg_X<#*nf)8m^@PLMji0QMUu4$0uIp$-A^ENum41Ln7xC1>Ndz; zD`Y}to#22uH9{i%A`6%q5RV$gnu7z2M5pOblM*a!cY)8P?0{4Gk~;ZXYtIOnm$GVu7<0+I zaA2C`O!?A9M*I>t9E$N*nJr%F!N(!?i0FZ~c+A4eES?&n--_5iNOp+5DS5z=jH6}q zv8tSYMN-X@H>4HSSEzW=c*QF*aai}n0I+6UOkCo?*4-Gx(anyIK~*-7Tq7S+Cy>_k z%$GBL8jC{Kr`5rdXQ>-r{8+I=*L8xUV~9148)Yx_FQPK&KNAz+P(;={nq~dc6ouGI z!EV9GijM`m>1dL50SWC=kh6x_-78I=xISlu_zvS%wqGqDY7$&kFz{k$N<-XNa}=U&%jXCtb?8qfx84%XqJSg@e9TX6zS zR_$=^DMbcvvZ{mUNyTfb-AZLK^qx??;5(+~gC0}TFY6zpyM$uPi?#Js4Bht6$Eah^ zA`$vN#+i#g)Zv+!k~twO)521t`Xt8ew}o`@zpGL3=^8d(zu*(iLmw$+yjd}%9L#}e zBJY6A`6%eoGSvh7JgWWaWHpzVdaC-O4$)>I@$S$x)eKG34!ex#oKz?Y@Tw7;jpe9J zlZ(ebP}x&)_&wS%#;a9URiAJj+&)uX30-BHc-?sZB`F#yL}m_c!3XH@Z|(?{3_nnT;FhyqwEMZ4QggRp{Ib{B9nXhGRI;{!^@A(PqBT zJiCXM;PViq+~LMI>Y}2M;@NoLkm@dCZ32sw%M=hy4Q8~94^B9sX-@Y@-^^l_^>*wR zg(@J&1?RVlI3E%t3s?uc*^0gq!{c2r<(I@Q;L{xzzeJO4VT{k={%$kGt6CDYb4ez3&rM|NjuW0Qw)07ns$D>8AqdZ_x6NN2%%_ZZ5627g~vR zwwtho4IQCL&Iwr1K*(gPv@ZLBO*ij4LbLab28UujrxDQxZ<8k*m44U6?`b12EeUqb z)96(8>|BdR#kT^&F8g7GH6PYv7^!diivs4CO$Xm@glPXPUUYi7*_P`^9@t^dYix6- uLDyT@q#vB2CBTRCZFb1tP3c!}P#RFe0Jj+e5$QYN>!m@{Uut{xyZ;6+=m--4 delta 2169 zcmb7Fe{fXQ6@K^qxbMflEYD>(SxB;ZiDAJstQ({mXn`(KYLHA=Lv)xxnMC6z+LeS5 zKw5|!RB)u#kQee%CS{hI={Wf#Y|X$$>)2rH;9#4Hqn+`Ow2d9qmSJedp+E!D-nT+R z?X)xfW8dC$?m6e4d%knObKzX%$WSB`)nU&ei<~`1(pl;WIoCw5^R|cb^?XbuL<4lb zVmUW-jYOOZPhnQ)gbhEY$Mhxm(JQi%vp|RmC4w!i&9rEZ z>|Y(qfwfbXM~2r|8P4dlHSqNrJ`CErAHg=+bY5=I5bQI|uTN(;Y2{j~gQ2TOL{_h z#;JHQkQESJspL964;mxs1M%I6=jx^CVUl-Yo$!RPOL$V)Dm3$RH}F*_*VsankmUaz zTq<|7#IHWli}G59Hm+_Kwr34&zG`yKv2BfKxidVy>HLU~=j}f2q&SyS7$yM9AQN-DHWA$O1Ecw6ONfO74jCn|Jph0KFKdM*_ zArl&+ZCU{?{aT}#IwM-_qCtMsg4BGKmNG>k?kQkWU%U#a9V$b&_6T?Nii84R&VPabLVfc57fv$4V-*4+x?C4%{t`zM# zY7CnPiJwipO1g5L^c((Dza*B0cv_NiOp!Gf{VkD0s2ozfIW|Xmruyh!K=M(0QPxm) zNHSUM0*OSJHBYSl7A6nyY*N)!M)f0NCDZD~vek&KCk2>%M+q_u;^l86^{H5YcY@dR zabX9qsSBxFbhn+hbJU*XXt{vigEJqB3!RrXdJ+2t)$ZPzg?dL8^gI3T@WG#ce}_lm z|Mb9_pQr)E9#@yK6(5SZendYvEVk$`;-YSxepT}#`jqrD#_QR45B$AS5JP7vuk>N* zJr^Mpqj^RTLcNlAW+Ue5;K?;*+b)9RX(b23 zse#3RE^XltGeN6adPKT0fw*EU!Lc@#vZ+JzG(qYzk=azA{O2BbX|X+FMV!OBDwVMl z{m;>w{=X@j+YLULpL3{rBLtCNsfI9hP}9(Jiu#=Kvj*$=OvyB&y;IuEs;X(D=DMOW zPH*`p*YW%P7hk-*Tr=2Iocg1%_t8nW&q9c==ci3|(@MRQX#XfrKpp)tHBlDu@?Y~09>aBN;ioc2r@#q!m$K(Tq;*VEp z>CE2xKWOs`?`XqWBE8+5&bE8!!g`q|ez?g36GeNNJ zgr4V_5rt-uLt;Kg$A|`dt*ALGwrDWdaH;M~x)J-Y(_D;xNw?LI0ubuLiP%|ZKHyyvb|Z~_?knEH_UyCJh9mFlpF@o%adF*u;i zM{2(+qi2 zKYCU5dt9#j4@_@fRdc_-v+nDP#dy;eO*dl;6Ypvz?7P?1!3CJIloCvyQ7A&|Gy{o7 zYB{~n`_N1IXe%A$qqF=eUhPuNt5$IqXcJmcv`EY2Xnt@%$wPbt=fcnzlEnjSHpar5 z$(9ytVS=t=%_w}3Q;9ndwhE8&Z%39;p5{Rwbx5dpHbuW^|nvXSirkysXC1mQv0z_|U bGKSkcCelYZiXXpa*uB}2$Lxna57qw*HUO+Y From 4e0823c14c0f76e3e99960c911fd78788e387e89 Mon Sep 17 00:00:00 2001 From: Leandro Alonso Date: Mon, 19 Apr 2021 17:14:22 -0300 Subject: [PATCH 036/190] Remove stories first AB testing --- WordPress/Classes/Utility/AB Testing/ABTest.swift | 1 - .../Floating Create Button/CreateButtonActionSheet.swift | 9 --------- .../Floating Create Button/CreateButtonCoordinator.swift | 9 +-------- 3 files changed, 1 insertion(+), 18 deletions(-) diff --git a/WordPress/Classes/Utility/AB Testing/ABTest.swift b/WordPress/Classes/Utility/AB Testing/ABTest.swift index c1f21cc4dd91..174ef5b56fdf 100644 --- a/WordPress/Classes/Utility/AB Testing/ABTest.swift +++ b/WordPress/Classes/Utility/AB Testing/ABTest.swift @@ -2,7 +2,6 @@ import AutomatticTracks enum ABTest: String, CaseIterable { case unknown = "unknown" - case storyFirst = "wpios_create_menu_story_first" /// Returns a variation for the given experiment var variation: Variation { diff --git a/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonActionSheet.swift b/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonActionSheet.swift index 96638f2c8858..769fe02b4f19 100644 --- a/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonActionSheet.swift +++ b/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonActionSheet.swift @@ -11,15 +11,6 @@ class CreateButtonActionSheet: ActionSheetViewController { } init(actions: [ActionSheetItem]) { - - /// A/B test: display story first - var actions = actions - if let storyAction = actions.first(where: { $0 is StoryAction }), - ABTest.storyFirst.variation == .treatment(nil) { - let actionsWithoutStory = actions.filter { !($0 is StoryAction) } - actions = [storyAction] + actionsWithoutStory - } - let buttons = actions.map { $0.makeButton() } super.init(headerTitle: Constants.title, buttons: buttons) } diff --git a/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonCoordinator.swift b/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonCoordinator.swift index 2386ca6910a6..28fa2073bd44 100644 --- a/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonCoordinator.swift +++ b/WordPress/Classes/ViewRelated/System/Floating Create Button/CreateButtonCoordinator.swift @@ -129,14 +129,7 @@ import WordPressFlux } else { let actionSheetVC = actionSheetController(with: viewController.traitCollection) viewController.present(actionSheetVC, animated: true, completion: { [weak self] in - let isShowingStoryOption = self?.isShowingStoryOption() ?? false - WPAnalytics.track(.createSheetShown, - properties: [ - "source": self?.source ?? "", - "is_showing_stories": isShowingStoryOption, - "is_showing_stories_first": isShowingStoryOption && ABTest.storyFirst.variation != .control - ] - ) + WPAnalytics.track(.createSheetShown, properties: ["source": self?.source ?? ""]) if let element = self?.currentTourElement { QuickStartTourGuide.shared.visited(element) From 4f50606974e004abdc71bf494c4ab6eede490b33 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Mon, 19 Apr 2021 16:31:19 -0400 Subject: [PATCH 037/190] Revert "Point to accompanying WPKit updates." This reverts commit 17406b859a2c97c3edeef1f5e975e3766ec4d1af. --- Podfile | 4 ++-- Podfile.lock | 11 +++-------- 2 files changed, 5 insertions(+), 10 deletions(-) diff --git a/Podfile b/Podfile index b90d7bee3d43..b6aae18af851 100644 --- a/Podfile +++ b/Podfile @@ -47,9 +47,9 @@ def wordpress_ui end def wordpress_kit - # pod 'WordPressKit', '~> 4.31.0-beta3' + pod 'WordPressKit', '~> 4.31.0-beta3' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - pod 'WordPressKit', :git => 'https://github.com/twstokes/WordPressKit-iOS.git', :branch => 'feature/add-or-change-author' + # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index 9f64dcbedfe5..5eae3a7ea87d 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.36.0) - - WordPressKit (from `https://github.com/twstokes/WordPressKit-iOS.git`, branch `feature/add-or-change-author`) + - WordPressKit (~> 4.31.0-beta3) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.9.0) @@ -550,6 +550,7 @@ SPEC REPOS: - UIDeviceIdentifier - WordPress-Aztec-iOS - WordPress-Editor-iOS + - WordPressKit - WordPressMocks - WordPressShared - WordPressUI @@ -650,9 +651,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :branch: feature/add-or-change-author - :git: https://github.com/twstokes/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -668,9 +666,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :commit: 659a67a99c4ace46a2e7a58a5a770fc1cdce3108 - :git: https://github.com/twstokes/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -768,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 447f6649806f33a79cb5ff470b39429b406086c9 +PODFILE CHECKSUM: 0cdfb93c1da9f10fdb808a2418d48b9ec3990676 COCOAPODS: 1.10.0 From e420dcf790de6bc88778e3e9537813f02d26d919 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Mon, 19 Apr 2021 16:05:37 -0600 Subject: [PATCH 038/190] Rename events to be more specific. --- .../Classes/Utility/Analytics/WPAnalyticsEvent.swift | 12 ++++++------ .../NotificationDetailsViewController.swift | 2 +- .../UserProfileSheetViewController.swift | 2 +- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift b/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift index 2b54589bbea0..fcf5dcb19270 100644 --- a/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift +++ b/WordPress/Classes/Utility/Analytics/WPAnalyticsEvent.swift @@ -163,8 +163,8 @@ import Foundation case categoryFilterDeselected // User Profile Sheet - case userProfileShown - case userProfileSiteShown + case userProfileSheetShown + case userProfileSheetSiteShown /// A String that represents the event var value: String { @@ -450,10 +450,10 @@ import Foundation return "category_filter_deselected" // User Profile Sheet - case .userProfileShown: - return "user_profile_shown" - case .userProfileSiteShown: - return "user_profile_site_shown" + case .userProfileSheetShown: + return "user_profile_sheet_shown" + case .userProfileSheetSiteShown: + return "user_profile_sheet_site_shown" } } diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift index 8020c270b4a9..c03d4794df06 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift @@ -989,7 +989,7 @@ private extension NotificationDetailsViewController { let sourceView = tableView.cellForRow(at: indexPath) ?? view bottomSheet.show(from: self, sourceView: sourceView) - WPAnalytics.track(.userProfileShown, properties: ["source": "like_notification_list"]) + WPAnalytics.track(.userProfileSheetShown, properties: ["source": "like_notification_list"]) } } diff --git a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift index fe6ad5c5f95b..ceabbb88c7b8 100644 --- a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift +++ b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift @@ -136,7 +136,7 @@ extension UserProfileSheetViewController { private extension UserProfileSheetViewController { func showSite() { - WPAnalytics.track(.userProfileSiteShown) + WPAnalytics.track(.userProfileSheetSiteShown) // TODO: Remove. For testing only. Use siteID from user object. var stubbySiteID: NSNumber? From dc6f788b181b0aede424a9a7135607bda5a95ba0 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Mon, 19 Apr 2021 21:58:28 -0400 Subject: [PATCH 039/190] Point to WordPressKit beta. --- Podfile | 4 ++-- Podfile.lock | 27 ++++++++++++++++----------- 2 files changed, 18 insertions(+), 13 deletions(-) diff --git a/Podfile b/Podfile index 39905bdf7c4e..a3aeafac7dfb 100644 --- a/Podfile +++ b/Podfile @@ -47,8 +47,8 @@ def wordpress_ui end def wordpress_kit - pod 'WordPressKit', '~> 4.31.0-beta3' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' + # pod 'WordPressKit', '~> 4.31.0-beta3' + pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '4.32.0-beta.1' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' diff --git a/Podfile.lock b/Podfile.lock index 5f89dae12713..4c8c474e7d81 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -31,9 +31,9 @@ PODS: - Charts (3.2.2): - Charts/Core (= 3.2.2) - Charts/Core (3.2.2) - - CocoaLumberjack (3.7.0): - - CocoaLumberjack/Core (= 3.7.0) - - CocoaLumberjack/Core (3.7.0) + - CocoaLumberjack (3.7.2): + - CocoaLumberjack/Core (= 3.7.2) + - CocoaLumberjack/Core (3.7.2) - CropViewController (2.5.3) - DoubleConversion (1.1.5) - Down (0.6.6) @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.31.0-beta.3): + - WordPressKit (4.31.0): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -412,7 +412,7 @@ PODS: - WordPressShared (1.16.0): - CocoaLumberjack (~> 3.4) - FormatterKit/TimeIntervalFormatter (~> 1.8) - - WordPressUI (1.10.0-beta.1) + - WordPressUI (1.10.0) - WPMediaPicker (1.7.2) - wpxmlrpc (0.9.0) - Yoga (1.14.0) @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.36.0) - - WordPressKit (~> 4.31.0-beta3) + - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, tag `4.32.0-beta.1`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0-beta.1) @@ -550,7 +550,6 @@ SPEC REPOS: - UIDeviceIdentifier - WordPress-Aztec-iOS - WordPress-Editor-iOS - - WordPressKit - WordPressMocks - WordPressShared - WordPressUI @@ -651,6 +650,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git + :tag: 4.32.0-beta.1 Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -666,6 +668,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git + :tag: 4.32.0-beta.1 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -678,7 +683,7 @@ SPEC CHECKSUMS: Automattic-Tracks-iOS: 87e14e4f06f753f02a6e0f747824e766bae7f939 boost-for-react-native: 39c7adb57c4e60d6c5479dd8623128eb5b3f0f2c Charts: f69cf0518b6d1d62608ca504248f1bbe0b6ae77e - CocoaLumberjack: e8955b9d337ac307103b0a34fd141c32f27e53c5 + CocoaLumberjack: b7e05132ff94f6ae4dfa9d5bce9141893a21d9da CropViewController: a5c143548a0fabcd6cc25f2d26e40460cfb8c78c DoubleConversion: e22e0762848812a87afd67ffda3998d9ef29170c Down: 71bf4af3c04fa093e65dffa25c4b64fa61287373 @@ -747,10 +752,10 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: 21d96070b30c4ce6b98de52c05779d27c2f9b399 - WordPressKit: 56f5087518977744c2e7b4e8a39abcc264f937f2 + WordPressKit: 9ff7c4280955ec7662aae59d72763ae5eb4dea98 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 - WordPressUI: 826dad3b1c3cd8f621c5a3ba9aed2ec44db36e3b + WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 WPMediaPicker: d5ae9a83cd5cc0e4de46bfc1c59120aa86658bc3 wpxmlrpc: bf55a43a7e710bd2a4fb8c02dfe83b1246f14f13 Yoga: c920bf12bf8146aa5cd118063378c2cf5682d16c @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: d71b2e34a1c875b6cf5e7018052394ac795915e0 +PODFILE CHECKSUM: 63f1475afbf3bc843783eb32c849045fbbf20812 COCOAPODS: 1.10.0 From b1627a6e4f6be6af4b246c146ec76e1d08d0dbe6 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 20 Apr 2021 11:13:12 +0900 Subject: [PATCH 040/190] Fix comment for missing server credentials --- .../Jetpack Scan/View Models/JetpackScanStatusViewModel.swift | 2 +- .../Jetpack Scan/View Models/JetpackScanThreatViewModel.swift | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift index f48f88c5cfa2..9d2242c07bb1 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanStatusViewModel.swift @@ -221,7 +221,7 @@ struct JetpackScanStatusViewModel { // MARK: - Localized Strings private struct Strings { - static let enterServerCredentialsTitle = NSLocalizedString("Enter your server credentials to fix threats.", comment: "Title for button when a site is ") + static let enterServerCredentialsTitle = NSLocalizedString("Enter your server credentials to fix threats.", comment: "Title for button when a site is missing server credentials") static let noThreatsTitle = NSLocalizedString("Don’t worry about a thing", comment: "Title for label when there are no threats on the users site") static let noThreatsDescriptionFormat = NSLocalizedString("The last Jetpack scan ran %1$@ and did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today.", comment: "Description for label when there are no threats on a users site and how long ago the scan ran.") static let noThreatsDescription = NSLocalizedString("The last jetpack scan did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today.", diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift index 4651819c4ff7..ca3b773101ae 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/View Models/JetpackScanThreatViewModel.swift @@ -325,7 +325,7 @@ struct JetpackScanThreatViewModel { struct titles { static let ignore = NSLocalizedString("Ignore threat", comment: "Title for button that will ignore the threat") static let fixable = NSLocalizedString("Fix threat", comment: "Title for button that will fix the threat") - static let enterServerCredentials = NSLocalizedString("Enter your server credentials to fix threat.", comment: "Title for button when a site is ") + static let enterServerCredentials = NSLocalizedString("Enter your server credentials to fix threat.", comment: "Title for button when a site is missing server credentials") } struct messages { From dc30661e75272974bfc853baccb44a3d8ac75f38 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 20 Apr 2021 11:28:23 +0900 Subject: [PATCH 041/190] Display notice if siteID is invalid --- .../Jetpack/Jetpack Scan/JetpackScanCoordinator.swift | 7 ++++++- .../Jetpack/Jetpack Scan/JetpackScanViewController.swift | 2 +- 2 files changed, 7 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift index d8ea16a72169..a9cd8074cc49 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanCoordinator.swift @@ -9,7 +9,7 @@ protocol JetpackScanView { func showScanStartError() func presentAlert(_ alert: UIAlertController) - func presentNotice(with title: String, message: String) + func presentNotice(with title: String, message: String?) func showIgnoreThreatSuccess(for threat: JetpackScanThreat) func showIgnoreThreatError(for threat: JetpackScanThreat) @@ -213,6 +213,7 @@ class JetpackScanCoordinator { public func openJetpackSettings() { guard let siteID = blog.dotComID as? Int else { + view.presentNotice(with: Strings.jetpackSettingsNotice.title, message: nil) return } view.showJetpackSettings(with: siteID) @@ -345,6 +346,10 @@ class JetpackScanCoordinator { static let messageSingleThreatFound = NSLocalizedString("1 potential threat found", comment: "Message for a notice informing the user their scan completed and 1 threat was found") } + struct jetpackSettingsNotice { + static let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") + } + static let fixAllAlertTitleFormat = NSLocalizedString("Please confirm you want to fix all %1$d active threats", comment: "Confirmation title presented before fixing all the threats, displays the number of threats to be fixed") static let fixAllSingleAlertTitle = NSLocalizedString("Please confirm you want to fix this threat", comment: "Confirmation title presented before fixing a single threat") static let fixAllAlertTitleMessage = NSLocalizedString("Jetpack will be fixing all the detected active threats.", comment: "Confirmation message presented before fixing all the threats, displays the number of threats to be fixed") diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift index eb1215471c4d..4b0ef6678189 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift @@ -103,7 +103,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { present(alert, animated: true, completion: nil) } - func presentNotice(with title: String, message: String) { + func presentNotice(with title: String, message: String?) { displayNotice(title: title, message: message) } From 47a94e0481b7d6fe6f9d286bd3eca665b0171eef Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 20 Apr 2021 14:31:54 +0900 Subject: [PATCH 042/190] Add JetpackWebViewControllerFactory Delete WebViewControllerFactory extension method --- .../Services/JetpackWebViewControllerFactory.swift | 12 ++++++++++++ .../Classes/Utility/WebViewControllerFactory.swift | 9 --------- .../JetpackRestoreOptionsViewController.swift | 2 +- .../JetpackScanThreatDetailsViewController.swift | 2 +- .../Jetpack Scan/JetpackScanViewController.swift | 2 +- WordPress/WordPress.xcodeproj/project.pbxproj | 6 ++++++ 6 files changed, 21 insertions(+), 12 deletions(-) create mode 100644 WordPress/Classes/Services/JetpackWebViewControllerFactory.swift diff --git a/WordPress/Classes/Services/JetpackWebViewControllerFactory.swift b/WordPress/Classes/Services/JetpackWebViewControllerFactory.swift new file mode 100644 index 000000000000..58bb214db064 --- /dev/null +++ b/WordPress/Classes/Services/JetpackWebViewControllerFactory.swift @@ -0,0 +1,12 @@ +import UIKit + +class JetpackWebViewControllerFactory { + + static func settingsController(siteID: Int) -> UIViewController? { + guard let url = URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") else { + return nil + } + return WebViewControllerFactory.controller(url: url) + } + +} diff --git a/WordPress/Classes/Utility/WebViewControllerFactory.swift b/WordPress/Classes/Utility/WebViewControllerFactory.swift index fa8e606c6266..b354f5b2e082 100644 --- a/WordPress/Classes/Utility/WebViewControllerFactory.swift +++ b/WordPress/Classes/Utility/WebViewControllerFactory.swift @@ -40,12 +40,3 @@ class WebViewControllerFactory: NSObject { } } - -extension WebViewControllerFactory { - static func jetpackSettingsWebViewController(siteID: Int) -> UIViewController? { - guard let url = URL(string: "https://wordpress.com/settings/jetpack/\(siteID)") else { - return nil - } - return controller(url: url) - } -} diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift index d53deb93c800..31190c0d9747 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Restore/Restore Options/JetpackRestoreOptionsViewController.swift @@ -56,7 +56,7 @@ class JetpackRestoreOptionsViewController: BaseRestoreOptionsViewController { } override func detailActionButtonTapped() { - guard let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: site.siteID) else { + guard let controller = JetpackWebViewControllerFactory.settingsController(siteID: site.siteID) else { let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift index 28e8287b9358..b3c4304c272e 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanThreatDetailsViewController.swift @@ -124,7 +124,7 @@ class JetpackScanThreatDetailsViewController: UIViewController { @IBAction func warningButtonTapped(_ sender: Any) { guard let siteID = blog.dotComID as? Int, - let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: siteID) else { + let controller = JetpackWebViewControllerFactory.settingsController(siteID: siteID) else { displayNotice(title: Strings.jetpackSettingsNotice) return } diff --git a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift index 4b0ef6678189..2d4697de3ee8 100644 --- a/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift +++ b/WordPress/Classes/ViewRelated/Jetpack/Jetpack Scan/JetpackScanViewController.swift @@ -126,7 +126,7 @@ class JetpackScanViewController: UIViewController, JetpackScanView { } func showJetpackSettings(with siteID: Int) { - guard let controller = WebViewControllerFactory.jetpackSettingsWebViewController(siteID: siteID) else { + guard let controller = JetpackWebViewControllerFactory.settingsController(siteID: siteID) else { let title = NSLocalizedString("Unable to visit Jetpack settings for site", comment: "Message displayed when visiting the Jetpack settings page fails.") displayNotice(title: title) diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index 966fec589b73..ced4570abd00 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -2462,6 +2462,8 @@ FA7F92CA25E61C9300502D2A /* ReaderTagsFooter.xib in Resources */ = {isa = PBXBuildFile; fileRef = FA7F92C925E61C9300502D2A /* ReaderTagsFooter.xib */; }; FA88EAD6260AE69C001D232B /* TemplatePreviewViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = C99B08FB26081AD600CA71EB /* TemplatePreviewViewController.swift */; }; FA8E1F7725EEFA7300063673 /* ReaderPostService+RelatedPosts.swift in Sources */ = {isa = PBXBuildFile; fileRef = FA8E1F7625EEFA7300063673 /* ReaderPostService+RelatedPosts.swift */; }; + FA90EFEF262E74210055AB22 /* JetpackWebViewControllerFactory.swift in Sources */ = {isa = PBXBuildFile; fileRef = FA90EFEE262E74210055AB22 /* JetpackWebViewControllerFactory.swift */; }; + FA90EFF0262E74210055AB22 /* JetpackWebViewControllerFactory.swift in Sources */ = {isa = PBXBuildFile; fileRef = FA90EFEE262E74210055AB22 /* JetpackWebViewControllerFactory.swift */; }; FAADE42626159AFE00BF29FE /* AppConstants.swift in Sources */ = {isa = PBXBuildFile; fileRef = FAADE3F02615996E00BF29FE /* AppConstants.swift */; }; FAADE43A26159B2800BF29FE /* AppConstants.swift in Sources */ = {isa = PBXBuildFile; fileRef = FAADE42726159B1300BF29FE /* AppConstants.swift */; }; FAB4F32724EDE12A00F259BA /* FollowCommentsServiceTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = FAB4F32624EDE12A00F259BA /* FollowCommentsServiceTests.swift */; }; @@ -7075,6 +7077,7 @@ FA7F92B725E61C7E00502D2A /* ReaderTagsFooter.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = ReaderTagsFooter.swift; sourceTree = ""; }; FA7F92C925E61C9300502D2A /* ReaderTagsFooter.xib */ = {isa = PBXFileReference; lastKnownFileType = file.xib; path = ReaderTagsFooter.xib; sourceTree = ""; }; FA8E1F7625EEFA7300063673 /* ReaderPostService+RelatedPosts.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "ReaderPostService+RelatedPosts.swift"; sourceTree = ""; }; + FA90EFEE262E74210055AB22 /* JetpackWebViewControllerFactory.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; name = JetpackWebViewControllerFactory.swift; path = Classes/Services/JetpackWebViewControllerFactory.swift; sourceTree = SOURCE_ROOT; }; FAADE3F02615996E00BF29FE /* AppConstants.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AppConstants.swift; sourceTree = ""; }; FAADE42726159B1300BF29FE /* AppConstants.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AppConstants.swift; sourceTree = ""; }; FAB4F32624EDE12A00F259BA /* FollowCommentsServiceTests.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = FollowCommentsServiceTests.swift; sourceTree = ""; }; @@ -11641,6 +11644,7 @@ E1222B621F877FD700D23173 /* WebProgressView.swift */, E1BB85971F82459800797050 /* WebViewAuthenticator.swift */, E16FB7E01F8B5D7D0004DD9F /* WebViewControllerConfiguration.swift */, + FA90EFEE262E74210055AB22 /* JetpackWebViewControllerFactory.swift */, E1222B661F878E4700D23173 /* WebViewControllerFactory.swift */, B526DC271B1E47FC002A8C5F /* WPStyleGuide+WebView.h */, B526DC281B1E47FC002A8C5F /* WPStyleGuide+WebView.m */, @@ -16233,6 +16237,7 @@ 8B93412F257029F60097D0AC /* FilterChipButton.swift in Sources */, 40A71C68220E1952002E3D25 /* StatsRecordValue+CoreDataClass.swift in Sources */, CEBD3EAB0FF1BA3B00C1396E /* Blog.m in Sources */, + FA90EFEF262E74210055AB22 /* JetpackWebViewControllerFactory.swift in Sources */, 9A8ECE1D2254AE4E0043C8DA /* JetpackRemoteInstallStateView.swift in Sources */, F511F8A42356A4F400895E73 /* PublishSettingsViewController.swift in Sources */, F11C9F76243B3C5E00921DDC /* MediaHost+AbstractPost.swift in Sources */, @@ -18311,6 +18316,7 @@ FABB22072602FC2C00C8785C /* BlogSettings+DateAndTimeFormat.swift in Sources */, FABB22082602FC2C00C8785C /* PostSearchHeader.swift in Sources */, FABB22092602FC2C00C8785C /* ReaderPostCardContentLabel.swift in Sources */, + FA90EFF0262E74210055AB22 /* JetpackWebViewControllerFactory.swift in Sources */, FABB220A2602FC2C00C8785C /* FilterChipButton.swift in Sources */, FABB220B2602FC2C00C8785C /* StatsRecordValue+CoreDataClass.swift in Sources */, FABB220C2602FC2C00C8785C /* Blog.m in Sources */, From 1fad731eb3096a0ba0ce0404526036f84dd5dde0 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 20 Apr 2021 16:11:26 +0900 Subject: [PATCH 043/190] Add showsReader property to App Config --- .../Classes/Utility/App Configuration/AppConfiguration.swift | 1 + WordPress/Jetpack/AppConfiguration.swift | 1 + 2 files changed, 2 insertions(+) diff --git a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift index 973ff2aaea36..08568c4e65ea 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift @@ -10,4 +10,5 @@ import Foundation @objc static let allowSiteCreation: Bool = true @objc static let allowSignUp: Bool = true @objc static let allowsCustomAppIcons: Bool = true + @objc static let showsReader: Bool = true } diff --git a/WordPress/Jetpack/AppConfiguration.swift b/WordPress/Jetpack/AppConfiguration.swift index 5777c5618b98..a7944df9a357 100644 --- a/WordPress/Jetpack/AppConfiguration.swift +++ b/WordPress/Jetpack/AppConfiguration.swift @@ -10,4 +10,5 @@ import Foundation @objc static let allowSiteCreation: Bool = false @objc static let allowSignUp: Bool = false @objc static let allowsCustomAppIcons: Bool = false + @objc static let showsReader: Bool = false } From b031d27081835d6a9f3c68622bd7eeea9471b258 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 20 Apr 2021 16:14:01 +0900 Subject: [PATCH 044/190] Show reader tab iff showsReader is true --- .../ViewRelated/System/WPTabBarController.m | 15 ++++++++++++--- 1 file changed, 12 insertions(+), 3 deletions(-) diff --git a/WordPress/Classes/ViewRelated/System/WPTabBarController.m b/WordPress/Classes/ViewRelated/System/WPTabBarController.m index 634bb0a430c5..30152560af95 100644 --- a/WordPress/Classes/ViewRelated/System/WPTabBarController.m +++ b/WordPress/Classes/ViewRelated/System/WPTabBarController.m @@ -274,9 +274,18 @@ - (ReaderCoordinator *)readerCoordinator - (NSArray *)tabViewControllers { - return @[self.mySitesCoordinator.rootViewController, - self.readerNavigationController, - self.notificationsSplitViewController]; + NSArray *tabs = @[ + self.mySitesCoordinator.rootViewController, + self.notificationsSplitViewController + ]; + + NSMutableArray *mutableTabs = [tabs mutableCopy]; + + if ([AppConfiguration showsReader]) { + [mutableTabs insertObject:self.readerNavigationController atIndex:1]; + } + + return mutableTabs; } - (void)showMySitesTab From 4cd8e6a92b2134402bc88b1c7c8c69d7052a869a Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 20 Apr 2021 16:41:27 +0900 Subject: [PATCH 045/190] Add showsCreateButton property to App Config --- .../Classes/Utility/App Configuration/AppConfiguration.swift | 1 + WordPress/Jetpack/AppConfiguration.swift | 1 + 2 files changed, 2 insertions(+) diff --git a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift index 08568c4e65ea..7a2eeac1a0e6 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift @@ -11,4 +11,5 @@ import Foundation @objc static let allowSignUp: Bool = true @objc static let allowsCustomAppIcons: Bool = true @objc static let showsReader: Bool = true + @objc static let showsCreateButton: Bool = true } diff --git a/WordPress/Jetpack/AppConfiguration.swift b/WordPress/Jetpack/AppConfiguration.swift index a7944df9a357..28503b858460 100644 --- a/WordPress/Jetpack/AppConfiguration.swift +++ b/WordPress/Jetpack/AppConfiguration.swift @@ -11,4 +11,5 @@ import Foundation @objc static let allowSignUp: Bool = false @objc static let allowsCustomAppIcons: Bool = false @objc static let showsReader: Bool = false + @objc static let showsCreateButton: Bool = false } From 55de8b22cfd9bd69385f617744a3483aab00a650 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 20 Apr 2021 16:42:09 +0900 Subject: [PATCH 046/190] Show create floating action button iff showCreateButton is true --- .../ViewRelated/Blog/Blog Details/BlogDetailsViewController.m | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m index af2ec5c67090..e777795fa062 100644 --- a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m +++ b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m @@ -415,7 +415,8 @@ - (void)viewDidAppear:(BOOL)animated { [super viewDidAppear:animated]; [self cancelCompletedToursIfNeeded]; - if ([self.tabBarController isKindOfClass:[WPTabBarController class]]) { + if ([self.tabBarController isKindOfClass:[WPTabBarController class]] && + [AppConfiguration showsCreateButton]) { [self.createButtonCoordinator showCreateButtonFor:self.blog]; } [self createUserActivity]; From 1e6afa9d84cdba09e01d3c6fd03069b7f0a39f72 Mon Sep 17 00:00:00 2001 From: Leandro Alonso Date: Tue, 20 Apr 2021 13:38:20 -0300 Subject: [PATCH 047/190] Refactor: use dot notation Co-authored-by: Emily Laguna --- .../Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m b/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m index 5ed162e6dfac..3511ee45d122 100644 --- a/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m +++ b/WordPress/Classes/Utility/Analytics/WPAnalyticsTrackerAutomatticTracks.m @@ -47,7 +47,7 @@ - (instancetype)init if (self) { _contextManager = [TracksContextManager new]; _tracksService = [[TracksService alloc] initWithContextManager:_contextManager]; - _tracksService.eventNamePrefix = [AppConstants eventNamePrefix]; + _tracksService.eventNamePrefix = AppConstants.eventNamePrefix; } return self; } From 07f0cac99188c0b64e6dd1123412f4981762aae3 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Tue, 20 Apr 2021 14:21:25 -0400 Subject: [PATCH 048/190] Add continueButtonTitle to AppConstants --- .../Classes/Utility/App Configuration/AppConstants.swift | 4 ++++ WordPress/Jetpack/AppConstants.swift | 6 ++++++ 2 files changed, 10 insertions(+) diff --git a/WordPress/Classes/Utility/App Configuration/AppConstants.swift b/WordPress/Classes/Utility/App Configuration/AppConstants.swift index bce23bd0f47c..c1e3384ee442 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConstants.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConstants.swift @@ -1,4 +1,5 @@ import Foundation +import WordPressAuthenticator struct AppConstants { static let productTwitterHandle = "@WordPressiOS" @@ -26,4 +27,7 @@ extension AppConstants { static let aboutTitle = NSLocalizedString("About WordPress for iOS", comment: "Link to About screen for WordPress for iOS") } + struct Login { + static let continueButtonTitle = WordPressAuthenticatorDisplayStrings.defaultStrings.continueWithWPButtonTitle + } } diff --git a/WordPress/Jetpack/AppConstants.swift b/WordPress/Jetpack/AppConstants.swift index e740d41a3b57..9e2324cb6441 100644 --- a/WordPress/Jetpack/AppConstants.swift +++ b/WordPress/Jetpack/AppConstants.swift @@ -26,4 +26,10 @@ extension AppConstants { static let aboutTitle = NSLocalizedString("About Jetpack for iOS", comment: "Link to About screen for Jetpack for iOS") } + struct Login { + static let continueButtonTitle = NSLocalizedString( + "Continue With WordPress.com", + comment: "Button title. Takes the user to the login with WordPress.com flow." + ) + } } From a384cc91f30f34f490cc4cc7eb958776e7db9697 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Tue, 20 Apr 2021 14:22:11 -0400 Subject: [PATCH 049/190] Add continueButtonTitle override to WordPressAuthenticatorDisplayStrings --- .../ViewRelated/NUX/WordPressAuthenticationManager.swift | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift b/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift index 3adfe918875d..3dd2c158a885 100644 --- a/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift +++ b/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift @@ -96,9 +96,14 @@ class WordPressAuthenticationManager: NSObject { navButtonTextColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarTint : .primary, navTitleTextColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarText : .text) + let displayStrings = WordPressAuthenticatorDisplayStrings( + continueWithWPButtonTitle: AppConstants.Login.continueButtonTitle + ) + WordPressAuthenticator.initialize(configuration: configuration, style: style, - unifiedStyle: unifiedStyle) + unifiedStyle: unifiedStyle, + displayStrings: displayStrings) } } From 9193d8ebeb2dcd8bed74d079baf95c3ac3b463f2 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Tue, 20 Apr 2021 14:30:19 -0400 Subject: [PATCH 050/190] Update PodSpec to WPAuthenticator branch --- Podfile | 4 ++-- Podfile.lock | 14 +++++++++----- 2 files changed, 11 insertions(+), 7 deletions(-) diff --git a/Podfile b/Podfile index b66e4f550543..797fc6014e22 100644 --- a/Podfile +++ b/Podfile @@ -208,9 +208,9 @@ abstract_target 'Apps' do pod 'Gridicons', '~> 1.1.0' - pod 'WordPressAuthenticator', '~> 1.36.0' + # pod 'WordPressAuthenticator', '~> 1.36.0' # While in PR - # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => 'fix/nux-button-shadows' + pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => 'task/disable-sign-up' # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => '' # pod 'WordPressAuthenticator', :path => '../WordPressAuthenticator-iOS' diff --git a/Podfile.lock b/Podfile.lock index 051f48975683..0618285a1aaa 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -498,7 +498,7 @@ DEPENDENCIES: - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - - WordPressAuthenticator (~> 1.36.0) + - WordPressAuthenticator (from `https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git`, branch `task/disable-sign-up`) - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, tag `4.32.0-beta.1`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) @@ -509,8 +509,6 @@ DEPENDENCIES: - ZIPFoundation (~> 0.9.8) SPEC REPOS: - https://github.com/wordpress-mobile/cocoapods-specs.git: - - WordPressAuthenticator trunk: - 1PasswordExtension - Alamofire @@ -650,6 +648,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressAuthenticator: + :branch: task/disable-sign-up + :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git WordPressKit: :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git :tag: 4.32.0-beta.1 @@ -668,6 +669,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressAuthenticator: + :commit: 5cadb62c8945df23dfde6605f26f624e27690155 + :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git WordPressKit: :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git :tag: 4.32.0-beta.1 @@ -751,7 +755,7 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: 21d96070b30c4ce6b98de52c05779d27c2f9b399 + WordPressAuthenticator: d80ac59ebb01f7660c7a29b6dc1ef34f5caf2983 WordPressKit: 9ff7c4280955ec7662aae59d72763ae5eb4dea98 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 @@ -768,6 +772,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 412fa67638670c44b777190edc1769865f3d07b8 +PODFILE CHECKSUM: 9d47e3aa29f0197348dc41c5e82222628f080ff3 COCOAPODS: 1.10.0 From 7fefe3bebb70aa8936201e198079618770dfff9f Mon Sep 17 00:00:00 2001 From: aerych Date: Tue, 20 Apr 2021 13:52:17 -0500 Subject: [PATCH 051/190] Handle a missing comment ID. --- WordPress/Classes/ViewRelated/Comments/CommentAnalytics.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Comments/CommentAnalytics.swift b/WordPress/Classes/ViewRelated/Comments/CommentAnalytics.swift index 6a77be949842..cf32cb2f0105 100644 --- a/WordPress/Classes/ViewRelated/Comments/CommentAnalytics.swift +++ b/WordPress/Classes/ViewRelated/Comments/CommentAnalytics.swift @@ -28,7 +28,7 @@ import Foundation return [ Constants.context: trackingContext(), WPAppAnalyticsKeyPostID: comment.postID.intValue, - WPAppAnalyticsKeyCommentID: comment.commentID.intValue + WPAppAnalyticsKeyCommentID: comment.commentID != nil ? comment.commentID.intValue : 0 // An unpublished comment could have a nil comment ID. ] } From 5091db656753494c09eba3ca26b7f9706a84b100 Mon Sep 17 00:00:00 2001 From: aerych Date: Tue, 20 Apr 2021 14:30:54 -0500 Subject: [PATCH 052/190] Comments: Support self-hosted unreplied comments. --- Podfile | 4 ++-- Podfile.lock | 15 ++++++++++----- WordPress/Classes/Services/CommentService.m | 21 +++++++++++++-------- 3 files changed, 25 insertions(+), 15 deletions(-) diff --git a/Podfile b/Podfile index 0e32bf192eb5..da77d871fd50 100644 --- a/Podfile +++ b/Podfile @@ -47,10 +47,10 @@ def wordpress_ui end def wordpress_kit - pod 'WordPressKit', '~> 4.30.0' +# pod 'WordPressKit', '~> 4.30.0' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' + pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => 'a46240c1584fffbfdda51c5392c8f2075f6d17d5' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index d8edd1197593..2630735953d9 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.30.0): + - WordPressKit (4.31.1-beta.1): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.36.0) - - WordPressKit (~> 4.30.0) + - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, commit `a46240c1584fffbfdda51c5392c8f2075f6d17d5`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.9.0) @@ -511,7 +511,6 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator - - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -651,6 +650,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.50.0 + WordPressKit: + :commit: a46240c1584fffbfdda51c5392c8f2075f6d17d5 + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.50.0/third-party-podspecs/Yoga.podspec.json @@ -666,6 +668,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.50.0 + WordPressKit: + :commit: a46240c1584fffbfdda51c5392c8f2075f6d17d5 + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -747,7 +752,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: 21d96070b30c4ce6b98de52c05779d27c2f9b399 - WordPressKit: 894ed4ad3af910b3e5a00fbd018724eac26a6133 + WordPressKit: 2b73f386d0081860f4c60af90bc60f41ffd5214a WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 3b70cccc4c44cff09024ca3e94ae25a8768b26c1 @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 483c37b687db38acd25eb3ee225978b7a15cd573 +PODFILE CHECKSUM: 0f5a6b6691e89e348d139d8dc30d65ac3268261f COCOAPODS: 1.10.0 diff --git a/WordPress/Classes/Services/CommentService.m b/WordPress/Classes/Services/CommentService.m index 4683ebff7f94..9dae028bdf70 100644 --- a/WordPress/Classes/Services/CommentService.m +++ b/WordPress/Classes/Services/CommentService.m @@ -175,7 +175,7 @@ - (void)syncCommentsForBlog:(Blog *)blog NSDictionary *options = @{ @"status": [NSNumber numberWithInt:commentStatus] }; id remote = [self remoteForBlog:blog]; - + [remote getCommentsWithMaximumCount:WPNumberOfCommentsToSync options:options success:^(NSArray *comments) { @@ -187,7 +187,14 @@ - (void)syncCommentsForBlog:(Blog *)blog } NSArray *fetchedComments = comments; if (filterUnreplied) { - fetchedComments = [self filterUnrepliedComments:comments]; + NSString *author = @""; + if (blog.account) { + author = blogInContext.account.email; + } else { + BlogAuthor *blogAuthor = [blogInContext getAuthorWithId:blogInContext.userID]; + author = (blogAuthor) ? blogAuthor.email : author; + } + fetchedComments = [self filterUnrepliedComments:comments forAuthor:author]; } [self mergeComments:fetchedComments @@ -220,9 +227,7 @@ - (void)syncCommentsForBlog:(Blog *)blog }]; } -- (NSArray *)filterUnrepliedComments:(NSArray *)comments { - AccountService *service = [[AccountService alloc] initWithManagedObjectContext:self.managedObjectContext]; - WPAccount *account = [service defaultWordPressComAccount]; +- (NSArray *)filterUnrepliedComments:(NSArray *)comments forAuthor:(NSString *)author { NSMutableArray *marr = [comments mutableCopy]; NSMutableArray *foundIDs = [NSMutableArray array]; @@ -230,7 +235,7 @@ - (NSArray *)filterUnrepliedComments:(NSArray *)comments { // get ids of comments that user has replied to. for (RemoteComment *comment in marr) { - if (![comment.authorEmail isEqualToString:account.email] || !comment.parentID) { + if (![comment.authorEmail isEqualToString:author] || !comment.parentID) { continue; } [foundIDs addObject:comment.parentID]; @@ -260,9 +265,9 @@ - (NSArray *)filterUnrepliedComments:(NSArray *)comments { // remove any remaining child comments. // remove any remaining root comments made by the user. for (RemoteComment *comment in marr) { - if (comment.parentID != 0) { + if (comment.parentID.intValue != 0) { [discardables addObject:comment]; - } else if ([comment.authorEmail isEqualToString:account.email]) { + } else if ([comment.authorEmail isEqualToString:author]) { [discardables addObject:comment]; } } From c7bc063cadc3345a3e056ef6526c0f987eb1c945 Mon Sep 17 00:00:00 2001 From: aerych Date: Tue, 20 Apr 2021 14:39:32 -0500 Subject: [PATCH 053/190] Updates Release Notes. --- RELEASE-NOTES.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index cc3b96d22def..422571afc658 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -1,5 +1,6 @@ 17.3 ----- +* [*] Comments can be filtered to show the most recent unreplied comments from other users. [#16215] 17.2 @@ -19,7 +20,6 @@ * [*] Added preview device mode selector in the page layout previews [#16141] * [***] Block Editor: Improved the accessibility of range and step-type block settings. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3255] * [**] Block Editor: Added Contact Info block to sites on WPcom or with Jetpack version >= 8.5. -* [*] Comments can be filtered to show the most recent unreplied comments from other users. * [**] We updated the app's color scheme with a brighter new blue used throughout. [#16213, #16207] * [**] We updated the login prologue with brand new content and graphics. [#16159, #16177, #16185, #16187, #16200, #16217, #16219, #16221, #16222] * [**] We updated the app's color scheme with a brighter new blue used throughout. [#16213, #16207] From 314483cbfae2f819149dbe891790ecc815c3793b Mon Sep 17 00:00:00 2001 From: aerych Date: Tue, 20 Apr 2021 15:46:42 -0500 Subject: [PATCH 054/190] Comments: Only show local comments in All --- .../Comments/CommentsViewController.m | 27 ++++++++++++++++++- 1 file changed, 26 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m b/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m index a5d78c61e32f..d1ebf9b001bc 100644 --- a/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m +++ b/WordPress/Classes/ViewRelated/Comments/CommentsViewController.m @@ -317,7 +317,7 @@ - (NSFetchRequest *)fetchRequest NSFetchRequest *fetchRequest = [NSFetchRequest fetchRequestWithEntityName:[self entityName]]; // CommentService purges Comments that do not belong to the current filter. - fetchRequest.predicate = [NSPredicate predicateWithFormat:@"(blog == %@)", self.blog]; + fetchRequest.predicate = [self predicateForFetchRequest:self.currentStatusFilter]; NSSortDescriptor *sortDescriptorDate = [NSSortDescriptor sortDescriptorWithKey:@"dateCreated" ascending:NO]; fetchRequest.sortDescriptors = @[sortDescriptorDate]; @@ -351,6 +351,30 @@ - (NSString *)sectionNameKeyPath return @"sectionIdentifier"; } +#pragma mark - Predicate Wrangling + +- (void)updateFetchRequestPredicate:(CommentStatusFilter)statusFilter +{ + NSPredicate *predicate = [self predicateForFetchRequest:statusFilter]; + NSFetchedResultsController *resultsController = [[self tableViewHandler] resultsController]; + [[resultsController fetchRequest] setPredicate:predicate]; + NSError *error; + [resultsController performFetch:&error]; + [self.tableView reloadData]; +} + +- (NSPredicate *)predicateForFetchRequest:(CommentStatusFilter)statusFilter +{ + NSPredicate *predicate; + if (statusFilter == CommentStatusFilterAll && ![self isUnrepliedFilterSelected:self.filterTabBar]) { + predicate = [NSPredicate predicateWithFormat:@"(blog == %@)", self.blog]; + } else { + // Exclude any local replies from all filters except all. + predicate = [NSPredicate predicateWithFormat:@"(blog == %@) AND commentID != nil", self.blog]; + } + return predicate; +} + #pragma mark - WPContentSyncHelper Methods - (void)syncHelper:(WPContentSyncHelper *)syncHelper syncContentWithUserInteraction:(BOOL)userInteraction success:(void (^)(BOOL))success failure:(void (^)(NSError *))failure @@ -467,6 +491,7 @@ - (void)refreshAndSyncIfNeeded - (void)refreshWithStatusFilter:(CommentStatusFilter)statusFilter { + [self updateFetchRequestPredicate:statusFilter]; [self saveSelectedFilterToUserDefaults]; self.currentStatusFilter = statusFilter; [self refreshAndSyncWithInteraction]; From 4535842a50144bb7cbfc36406aa368e4acf6b55f Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 21 Apr 2021 09:39:25 +0900 Subject: [PATCH 055/190] Use dot notation to access property --- WordPress/Classes/ViewRelated/System/WPTabBarController.m | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/System/WPTabBarController.m b/WordPress/Classes/ViewRelated/System/WPTabBarController.m index 30152560af95..04d2ddbec138 100644 --- a/WordPress/Classes/ViewRelated/System/WPTabBarController.m +++ b/WordPress/Classes/ViewRelated/System/WPTabBarController.m @@ -281,7 +281,7 @@ - (ReaderCoordinator *)readerCoordinator NSMutableArray *mutableTabs = [tabs mutableCopy]; - if ([AppConfiguration showsReader]) { + if (AppConfiguration.showsReader) { [mutableTabs insertObject:self.readerNavigationController atIndex:1]; } From 3d00e53e24d559376eb31e8716dcec8410cb009c Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 21 Apr 2021 10:59:49 +0900 Subject: [PATCH 056/190] Hide no results message and button if Reader tab is hidden --- .../Controllers/NotificationsViewController.swift | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationsViewController.swift b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationsViewController.swift index a4e2bf87f161..2609393825d8 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationsViewController.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationsViewController.swift @@ -1311,11 +1311,17 @@ private extension NotificationsViewController { return filter.noResultsTitle } - var noResultsMessageText: String { + var noResultsMessageText: String? { + guard AppConfiguration.showsReader else { + return nil + } return filter.noResultsMessage } - var noResultsButtonText: String { + var noResultsButtonText: String? { + guard AppConfiguration.showsReader else { + return nil + } return filter.noResultsButtonTitle } From d13248f1f3f6371677659b900b41448c6ec0344c Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 21 Apr 2021 11:12:08 +0900 Subject: [PATCH 057/190] Use dot notation to access property --- .../ViewRelated/Blog/Blog Details/BlogDetailsViewController.m | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m index e777795fa062..f3b2542d390f 100644 --- a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m +++ b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m @@ -416,7 +416,7 @@ - (void)viewDidAppear:(BOOL)animated [super viewDidAppear:animated]; [self cancelCompletedToursIfNeeded]; if ([self.tabBarController isKindOfClass:[WPTabBarController class]] && - [AppConfiguration showsCreateButton]) { + AppConfiguration.showsCreateButton) { [self.createButtonCoordinator showCreateButtonFor:self.blog]; } [self createUserActivity]; From aae5237e5ecc93f82eca42025d57245f7d58180a Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 21 Apr 2021 14:52:45 +0900 Subject: [PATCH 058/190] Add showsJetpackSectionHeader property to App Config --- .../Classes/Utility/App Configuration/AppConfiguration.swift | 1 + WordPress/Jetpack/AppConfiguration.swift | 1 + 2 files changed, 2 insertions(+) diff --git a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift index 7a2eeac1a0e6..f5320c03d8f5 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift @@ -12,4 +12,5 @@ import Foundation @objc static let allowsCustomAppIcons: Bool = true @objc static let showsReader: Bool = true @objc static let showsCreateButton: Bool = true + @objc static let showsJetpackSectionHeader: Bool = true } diff --git a/WordPress/Jetpack/AppConfiguration.swift b/WordPress/Jetpack/AppConfiguration.swift index 28503b858460..cab93810fd0b 100644 --- a/WordPress/Jetpack/AppConfiguration.swift +++ b/WordPress/Jetpack/AppConfiguration.swift @@ -12,4 +12,5 @@ import Foundation @objc static let allowsCustomAppIcons: Bool = false @objc static let showsReader: Bool = false @objc static let showsCreateButton: Bool = false + @objc static let showsJetpackSectionHeader: Bool = false } From e717b8a34edea255c1a0649d3a27b3a28a68b6cd Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Wed, 21 Apr 2021 14:53:35 +0900 Subject: [PATCH 059/190] Hide Jetpack section header as needed --- .../ViewRelated/Blog/Blog Details/BlogDetailsViewController.m | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m index f3b2542d390f..50f423832c41 100644 --- a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m +++ b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m @@ -860,7 +860,8 @@ - (BlogDetailsSection *)jetpackSectionViewModel } NSString *title = @""; - if ([self.blog supports:BlogFeatureJetpackSettings]) { + if ([self.blog supports:BlogFeatureJetpackSettings] && + AppConfiguration.showsJetpackSectionHeader) { title = NSLocalizedString(@"Jetpack", @"Section title for the publish table section in the blog details screen"); } From 563d274315174a33ff22717a9a07f96b9897a180 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Wed, 21 Apr 2021 10:45:00 -0400 Subject: [PATCH 060/190] Change WPAuthenticator to 1.37.0-beta.1 --- Podfile | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/Podfile b/Podfile index 797fc6014e22..ee5c14560c9f 100644 --- a/Podfile +++ b/Podfile @@ -208,9 +208,9 @@ abstract_target 'Apps' do pod 'Gridicons', '~> 1.1.0' - # pod 'WordPressAuthenticator', '~> 1.36.0' + pod 'WordPressAuthenticator', '~> 1.37.0-beta.1' # While in PR - pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => 'task/disable-sign-up' + # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => '' # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => '' # pod 'WordPressAuthenticator', :path => '../WordPressAuthenticator-iOS' From cf1f66923fee98799b1fceff681454692d2a9492 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Wed, 21 Apr 2021 10:48:37 -0400 Subject: [PATCH 061/190] Update Podfile.lock --- Podfile.lock | 16 ++++++---------- 1 file changed, 6 insertions(+), 10 deletions(-) diff --git a/Podfile.lock b/Podfile.lock index 0618285a1aaa..2c00a7672b4e 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -389,7 +389,7 @@ PODS: - WordPress-Aztec-iOS (1.19.4) - WordPress-Editor-iOS (1.19.4): - WordPress-Aztec-iOS (= 1.19.4) - - WordPressAuthenticator (1.36.0): + - WordPressAuthenticator (1.37.0-beta.1): - 1PasswordExtension (~> 1.8.6) - Alamofire (~> 4.8) - CocoaLumberjack (~> 3.5) @@ -498,7 +498,7 @@ DEPENDENCIES: - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - - WordPressAuthenticator (from `https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git`, branch `task/disable-sign-up`) + - WordPressAuthenticator (~> 1.37.0-beta.1) - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, tag `4.32.0-beta.1`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) @@ -509,6 +509,8 @@ DEPENDENCIES: - ZIPFoundation (~> 0.9.8) SPEC REPOS: + https://github.com/wordpress-mobile/cocoapods-specs.git: + - WordPressAuthenticator trunk: - 1PasswordExtension - Alamofire @@ -648,9 +650,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressAuthenticator: - :branch: task/disable-sign-up - :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git WordPressKit: :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git :tag: 4.32.0-beta.1 @@ -669,9 +668,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressAuthenticator: - :commit: 5cadb62c8945df23dfde6605f26f624e27690155 - :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git WordPressKit: :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git :tag: 4.32.0-beta.1 @@ -755,7 +751,7 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: d80ac59ebb01f7660c7a29b6dc1ef34f5caf2983 + WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e WordPressKit: 9ff7c4280955ec7662aae59d72763ae5eb4dea98 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 @@ -772,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 9d47e3aa29f0197348dc41c5e82222628f080ff3 +PODFILE CHECKSUM: a6174e457dd39356a2b3cc8095fcc2382e856431 COCOAPODS: 1.10.0 From 3943de69e904dd8ca84572aa35b1afce30200c88 Mon Sep 17 00:00:00 2001 From: aerych Date: Wed, 21 Apr 2021 10:53:34 -0500 Subject: [PATCH 062/190] Comments: Use the linked author if a Jetpack blog. --- WordPress/Classes/Models/Blog+BlogAuthors.swift | 5 +++++ WordPress/Classes/Services/CommentService.m | 4 +++- 2 files changed, 8 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/Models/Blog+BlogAuthors.swift b/WordPress/Classes/Models/Blog+BlogAuthors.swift index a29866a6440d..8545eacf0207 100644 --- a/WordPress/Classes/Models/Blog+BlogAuthors.swift +++ b/WordPress/Classes/Models/Blog+BlogAuthors.swift @@ -22,4 +22,9 @@ extension Blog { func getAuthorWith(id: NSNumber) -> BlogAuthor? { return authors?.first(where: { $0.userID == id }) } + + @objc + func getAuthorWith(linkedID: NSNumber) -> BlogAuthor? { + return authors?.first(where: { $0.linkedUserID == linkedID }) + } } diff --git a/WordPress/Classes/Services/CommentService.m b/WordPress/Classes/Services/CommentService.m index 9dae028bdf70..a27d438e74ca 100644 --- a/WordPress/Classes/Services/CommentService.m +++ b/WordPress/Classes/Services/CommentService.m @@ -189,7 +189,9 @@ - (void)syncCommentsForBlog:(Blog *)blog if (filterUnreplied) { NSString *author = @""; if (blog.account) { - author = blogInContext.account.email; + // See if there is a linked Jetpack user that we should use. + BlogAuthor *blogAuthor = [blogInContext getAuthorWithLinkedID:blog.account.userID]; + author = (blogAuthor) ? blogAuthor.email : blogInContext.account.email; } else { BlogAuthor *blogAuthor = [blogInContext getAuthorWithId:blogInContext.userID]; author = (blogAuthor) ? blogAuthor.email : author; From dcbe7f62bff6c985842a63c4b4e6540722c4aa65 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Wed, 21 Apr 2021 18:29:34 +0200 Subject: [PATCH 063/190] Fixes the dark mode color of the app bar background. --- .../Extensions/Colors and Styles/UIColor+WordPressColors.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift b/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift index 41167ba59928..bbfa1bcc453e 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift @@ -6,7 +6,7 @@ extension UIColor { /// Muriel/iOS navigation color static var appBarBackground: UIColor { if FeatureFlag.newNavBarAppearance.enabled { - return .secondarySystemGroupedBackground + return UIColor(light: .white, dark: .gray(.shade100)) } return UIColor(light: .primary, dark: .gray(.shade100)) From 1bd61040589796e802a6ca5a1989d38af3c931d4 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Wed, 21 Apr 2021 18:48:02 +0200 Subject: [PATCH 064/190] Added an entry to RELEASE-NOTES.txt --- RELEASE-NOTES.txt | 1 + 1 file changed, 1 insertion(+) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index 78bc96d55b4d..9520fa492a23 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -1,6 +1,7 @@ 17.3 ----- +* [***] Fixed the navigation bar color in dark mode. [#16348] 17.2 ----- From be0851b7d77023f0d49f96a98a953434541c427e Mon Sep 17 00:00:00 2001 From: aerych Date: Wed, 21 Apr 2021 15:35:31 -0500 Subject: [PATCH 065/190] Update WordPressKit pod version. --- Podfile | 4 ++-- Podfile.lock | 15 +++++---------- 2 files changed, 7 insertions(+), 12 deletions(-) diff --git a/Podfile b/Podfile index f025879899b0..8054be2c342f 100644 --- a/Podfile +++ b/Podfile @@ -47,10 +47,10 @@ def wordpress_ui end def wordpress_kit - # pod 'WordPressKit', '~> 4.31.0' + pod 'WordPressKit', '~> 4.32.0-beta' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' - pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => 'a46240c1584fffbfdda51c5392c8f2075f6d17d5' + # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index ffcd9207d223..7b90560f8a30 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.31.1-beta.1): + - WordPressKit (4.32.0-beta.2): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.36.0) - - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, commit `a46240c1584fffbfdda51c5392c8f2075f6d17d5`) + - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -511,6 +511,7 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator + - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -650,9 +651,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :commit: a46240c1584fffbfdda51c5392c8f2075f6d17d5 - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -668,9 +666,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :commit: a46240c1584fffbfdda51c5392c8f2075f6d17d5 - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -752,7 +747,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: 21d96070b30c4ce6b98de52c05779d27c2f9b399 - WordPressKit: 2b73f386d0081860f4c60af90bc60f41ffd5214a + WordPressKit: bb84d683cdec8c9ef821251b177a5e4cb9ada4f7 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -768,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 26886d1e0dc59772e1f64412c80ff3bf16c8e644 +PODFILE CHECKSUM: fff797e9a2197f1dbc0bcb75f175d3caeca735d8 COCOAPODS: 1.10.0 From 52c9637ee2a45ef232af5361c2907cf8739e4c2e Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 21 Apr 2021 16:44:31 -0400 Subject: [PATCH 066/190] Xcode automatic update of project for WordPressFlux. --- WordPress/WordPress.xcodeproj/project.pbxproj | 20 +++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index 163273624eb7..af479fe0e702 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -333,7 +333,7 @@ 24B1AE3124FEC79900B9F334 /* RemoteFeatureFlagTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24B1AE3024FEC79900B9F334 /* RemoteFeatureFlagTests.swift */; }; 24C69A8B2612421900312D9A /* UserSettingsTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24C69A8A2612421900312D9A /* UserSettingsTests.swift */; }; 24C69AC22612467C00312D9A /* UserSettingsTestsObjc.m in Sources */ = {isa = PBXBuildFile; fileRef = 24C69AC12612467C00312D9A /* UserSettingsTestsObjc.m */; }; - 24CE2EB1258D687A0000C297 /* BuildFile in Frameworks */ = {isa = PBXBuildFile; productRef = 24CE2EB0258D687A0000C297 /* SwiftPackageProductDependency */; }; + 24CE2EB1258D687A0000C297 /* WordPressFlux in Frameworks */ = {isa = PBXBuildFile; productRef = 24CE2EB0258D687A0000C297 /* WordPressFlux */; }; 24F3789825E6E62100A27BB7 /* NSManagedObject+Lookup.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24F3789725E6E62100A27BB7 /* NSManagedObject+Lookup.swift */; }; 2611CC62A62F9E6BC25350FE /* Pods_WordPressScreenshotGeneration.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB390AA9C94F16E78184E9D1 /* Pods_WordPressScreenshotGeneration.framework */; }; 26D66DEC36ACF7442186B07D /* Pods_WordPressThisWeekWidget.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 979B445A45E13F3289F2E99E /* Pods_WordPressThisWeekWidget.framework */; }; @@ -4093,7 +4093,7 @@ FABB26322602FC2C00C8785C /* Security.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 296890770FE971DC00770264 /* Security.framework */; }; FABB26332602FC2C00C8785C /* MapKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 83F3E25F11275E07004CD686 /* MapKit.framework */; }; FABB26342602FC2C00C8785C /* CoreLocation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 83F3E2D211276371004CD686 /* CoreLocation.framework */; }; - FABB26352602FC2C00C8785C /* BuildFile in Frameworks */ = {isa = PBXBuildFile; productRef = FABB1FA62602FC2C00C8785C /* SwiftPackageProductDependency */; }; + FABB26352602FC2C00C8785C /* WordPressFlux in Frameworks */ = {isa = PBXBuildFile; productRef = FABB1FA62602FC2C00C8785C /* WordPressFlux */; }; FABB26362602FC2C00C8785C /* CoreData.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 8355D7D811D260AA00A61362 /* CoreData.framework */; }; FABB26372602FC2C00C8785C /* CFNetwork.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 834CE7331256D0DE0046A4A3 /* CFNetwork.framework */; }; FABB26382602FC2C00C8785C /* MessageUI.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 83043E54126FA31400EC9953 /* MessageUI.framework */; }; @@ -7300,7 +7300,7 @@ 296890780FE971DC00770264 /* Security.framework in Frameworks */, 83F3E26011275E07004CD686 /* MapKit.framework in Frameworks */, 83F3E2D311276371004CD686 /* CoreLocation.framework in Frameworks */, - 24CE2EB1258D687A0000C297 /* BuildFile in Frameworks */, + 24CE2EB1258D687A0000C297 /* WordPressFlux in Frameworks */, 8355D7D911D260AA00A61362 /* CoreData.framework in Frameworks */, 834CE7341256D0DE0046A4A3 /* CFNetwork.framework in Frameworks */, 83043E55126FA31400EC9953 /* MessageUI.framework in Frameworks */, @@ -7434,7 +7434,7 @@ FABB26322602FC2C00C8785C /* Security.framework in Frameworks */, FABB26332602FC2C00C8785C /* MapKit.framework in Frameworks */, FABB26342602FC2C00C8785C /* CoreLocation.framework in Frameworks */, - FABB26352602FC2C00C8785C /* BuildFile in Frameworks */, + FABB26352602FC2C00C8785C /* WordPressFlux in Frameworks */, FABB26362602FC2C00C8785C /* CoreData.framework in Frameworks */, FABB26372602FC2C00C8785C /* CFNetwork.framework in Frameworks */, FABB26382602FC2C00C8785C /* MessageUI.framework in Frameworks */, @@ -8054,7 +8054,7 @@ path = GutenbergWeb; sourceTree = ""; }; - 29B97314FDCFA39411CA2CEA = { + 29B97314FDCFA39411CA2CEA /* CustomTemplate */ = { isa = PBXGroup; children = ( F14B5F6F208E648200439554 /* config */, @@ -13954,7 +13954,7 @@ ); name = WordPress; packageProductDependencies = ( - 24CE2EB0258D687A0000C297 /* SwiftPackageProductDependency */, + 24CE2EB0258D687A0000C297 /* WordPressFlux */, ); productName = WordPress; productReference = 1D6058910D05DD3D006BFB54 /* WordPress.app */; @@ -14192,7 +14192,7 @@ ); name = Jetpack; packageProductDependencies = ( - FABB1FA62602FC2C00C8785C /* SwiftPackageProductDependency */, + FABB1FA62602FC2C00C8785C /* WordPressFlux */, ); productName = WordPress; productReference = FABB26522602FC2C00C8785C /* Jetpack.app */; @@ -14402,7 +14402,7 @@ bg, sk, ); - mainGroup = 29B97314FDCFA39411CA2CEA; + mainGroup = 29B97314FDCFA39411CA2CEA /* CustomTemplate */; productRefGroup = 19C28FACFE9D520D11CA2CBB /* Products */; projectDirPath = ""; projectRoot = ""; @@ -23536,11 +23536,11 @@ /* End XCConfigurationList section */ /* Begin XCSwiftPackageProductDependency section */ - 24CE2EB0258D687A0000C297 /* SwiftPackageProductDependency */ = { + 24CE2EB0258D687A0000C297 /* WordPressFlux */ = { isa = XCSwiftPackageProductDependency; productName = WordPressFlux; }; - FABB1FA62602FC2C00C8785C /* SwiftPackageProductDependency */ = { + FABB1FA62602FC2C00C8785C /* WordPressFlux */ = { isa = XCSwiftPackageProductDependency; productName = WordPressFlux; }; From c4a067c9da9149739d21da153250a69694b6e404 Mon Sep 17 00:00:00 2001 From: James Frost Date: Wed, 21 Apr 2021 21:57:19 +0100 Subject: [PATCH 067/190] RestorePageTableViewCell: Switch to gridicon for undo icon and set tint --- .../Pages/RestorePageTableViewCell.m | 5 ++++ .../Pages/RestorePageTableViewCell.xib | 29 +++++++++---------- .../Post/RestorePostTableViewCell.xib | 15 ++++------ .../ViewRelated/Post/WPStyleGuide+Pages.m | 2 ++ 4 files changed, 26 insertions(+), 25 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.m b/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.m index c80cd9673ebe..c05e0d4ce98c 100644 --- a/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.m +++ b/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.m @@ -1,6 +1,8 @@ #import "RestorePageTableViewCell.h" #import "WPStyleGuide+Pages.h" +@import Gridicons; + @interface RestorePageTableViewCell() @property (nonatomic, strong) IBOutlet UILabel *restoreLabel; @@ -32,6 +34,9 @@ - (void)configureView self.restoreLabel.text = NSLocalizedString(@"Page moved to trash.", @"A short message explaining that a page was moved to the trash bin."); NSString *buttonTitle = NSLocalizedString(@"Undo", @"The title of an 'undo' button. Tapping the button moves a trashed page out of the trash folder."); [self.restoreButton setTitle:buttonTitle forState:UIControlStateNormal]; + [self.restoreButton setImage:[UIImage gridiconOfType:GridiconTypeUndo + withSize:CGSizeMake(18.0, 18.0)] + forState:UIControlStateNormal]; } @end diff --git a/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.xib b/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.xib index 47d496811d34..2904556a70cb 100644 --- a/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.xib +++ b/WordPress/Classes/ViewRelated/Pages/RestorePageTableViewCell.xib @@ -1,8 +1,10 @@ - - + + + - - + + + @@ -11,19 +13,19 @@ - + - - + @@ -59,7 +61,4 @@ - - - diff --git a/WordPress/Classes/ViewRelated/Post/RestorePostTableViewCell.xib b/WordPress/Classes/ViewRelated/Post/RestorePostTableViewCell.xib index 7cae0c2cc5ee..90a2bf15f525 100644 --- a/WordPress/Classes/ViewRelated/Post/RestorePostTableViewCell.xib +++ b/WordPress/Classes/ViewRelated/Post/RestorePostTableViewCell.xib @@ -1,11 +1,9 @@ - - - - + + - + @@ -15,7 +13,7 @@ - + @@ -35,7 +33,7 @@ - + @@ -79,7 +77,4 @@ - - - diff --git a/WordPress/Classes/ViewRelated/Post/WPStyleGuide+Pages.m b/WordPress/Classes/ViewRelated/Post/WPStyleGuide+Pages.m index aa86ace5e88a..4ecf1c79270e 100644 --- a/WordPress/Classes/ViewRelated/Post/WPStyleGuide+Pages.m +++ b/WordPress/Classes/ViewRelated/Post/WPStyleGuide+Pages.m @@ -20,6 +20,8 @@ + (void)applyRestorePageButtonStyle:(UIButton *)button textStyle:UIFontTextStyleCallout fontWeight:UIFontWeightSemibold]; [button setTitleColor:[UIColor murielPrimary] forState:UIControlStateNormal]; + [button setTitleColor:[UIColor murielPrimaryDark] forState:UIControlStateHighlighted]; + button.tintColor = [UIColor murielPrimary]; } + (void)applyRestoreSavedPostLabelStyle:(UILabel *)label From db81d13123ea65020886c621c528a7e29eb06b76 Mon Sep 17 00:00:00 2001 From: James Frost Date: Wed, 21 Apr 2021 21:57:44 +0100 Subject: [PATCH 068/190] NotificationSettingsViewController: Fix activity indicator dark mode color --- .../NotificationSettingsViewController.swift | 3 +++ .../NotificationSettingsViewController.xib | 12 ++++++------ 2 files changed, 9 insertions(+), 6 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift index 7b5db5a85636..9480eb67fb0f 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift @@ -55,8 +55,11 @@ open class NotificationSettingsViewController: UIViewController { // Style! WPStyleGuide.configureColors(view: view, tableView: tableView) WPStyleGuide.configureAutomaticHeightRows(for: tableView) + + activityIndicatorView.tintColor = .textSubtle } + // MARK: - Service Helpers diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.xib b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.xib index 8e7fd5d05fc7..bcc59bfe4851 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.xib +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.xib @@ -1,10 +1,9 @@ - - - - + + - + + @@ -28,7 +27,7 @@ - @@ -41,6 +40,7 @@ + From da285ae830f58d87bdd9db877bd0e01270a95da2 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 21 Apr 2021 15:06:22 -0600 Subject: [PATCH 069/190] Update WPKit to use branch. --- Podfile | 6 +++--- Podfile.lock | 12 ++++++------ 2 files changed, 9 insertions(+), 9 deletions(-) diff --git a/Podfile b/Podfile index ee5c14560c9f..a35e374d3ce2 100644 --- a/Podfile +++ b/Podfile @@ -47,10 +47,10 @@ def wordpress_ui end def wordpress_kit - # pod 'WordPressKit', '~> 4.31.0' - pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '4.32.0-beta.1' + # pod 'WordPressKit', '~> 4.32.0-beta.3' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' + # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' + pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => 'feature/15662-likes_preferred_blog' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index 2c00a7672b4e..9d79263b1dea 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.31.0): + - WordPressKit (4.32.0-beta.3): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.37.0-beta.1) - - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, tag `4.32.0-beta.1`) + - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, branch `feature/15662-likes_preferred_blog`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -651,8 +651,8 @@ EXTERNAL SOURCES: :submodules: true :tag: v1.51.0 WordPressKit: + :branch: feature/15662-likes_preferred_blog :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git - :tag: 4.32.0-beta.1 Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -669,8 +669,8 @@ CHECKOUT OPTIONS: :submodules: true :tag: v1.51.0 WordPressKit: + :commit: 9fb71680bf2652420d6536b86480bb9cfb9402a0 :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git - :tag: 4.32.0-beta.1 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -752,7 +752,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: 9ff7c4280955ec7662aae59d72763ae5eb4dea98 + WordPressKit: 3d3a2e32741cf0dbb4068dd0d60fa973df5ccd02 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -768,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: a6174e457dd39356a2b3cc8095fcc2382e856431 +PODFILE CHECKSUM: 37138c16610607b46aeb17a0250f76ec873f7695 COCOAPODS: 1.10.0 From 92e76b38b4828685db02913c80be3afced2d001b Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 21 Apr 2021 18:10:59 -0600 Subject: [PATCH 070/190] Update like tests. --- .../WordPressTest/CommentServiceTests.swift | 26 +++++++++---------- .../Services/PostServiceWPComTests.swift | 22 ++++++++-------- 2 files changed, 24 insertions(+), 24 deletions(-) diff --git a/WordPress/WordPressTest/CommentServiceTests.swift b/WordPress/WordPressTest/CommentServiceTests.swift index 3dace6fda067..cbb43204cff2 100644 --- a/WordPress/WordPressTest/CommentServiceTests.swift +++ b/WordPress/WordPressTest/CommentServiceTests.swift @@ -33,16 +33,16 @@ final class CommentServiceTests: XCTestCase { // MARK: Helpers - private func createRemoteUser() -> RemoteUser { - let remoteUser = RemoteUser() - remoteUser.userID = NSNumber(value: 123) - remoteUser.primaryBlogID = NSNumber(value: 456) - remoteUser.username = "johndoe" - remoteUser.displayName = "John Doe" - remoteUser.avatarURL = "avatar URL" - - return remoteUser - } + private func createRemoteLikeUser() -> RemoteLikeUser { + let userDict: [String: Any] = [ "ID": NSNumber(value: 123), + "login": "johndoe", + "name": "John Doe", + "site_ID": NSNumber(value: 456), + "avatar_URL": "avatar URL" + ] + + return RemoteLikeUser(dictionary: userDict) + } } // MARK: - Tests @@ -55,7 +55,7 @@ extension CommentServiceTests { // Arrange let commentID = NSNumber(value: 1) let siteID = NSNumber(value: 2) - let expectedUsers = [createRemoteUser()] + let expectedUsers = [createRemoteLikeUser()] try! context.save() remoteMock.remoteUsersToReturnOnGetLikes = expectedUsers @@ -108,9 +108,9 @@ private class CommentServiceRemoteRESTMock: CommentServiceRemoteREST { // related to fetching likes var fetchLikesShouldSucceed: Bool = true - var remoteUsersToReturnOnGetLikes: [RemoteUser]? = nil + var remoteUsersToReturnOnGetLikes: [RemoteLikeUser]? = nil - override func getLikesForCommentID(_ commentID: NSNumber!, success: (([RemoteUser]?) -> Void)!, failure: ((Error?) -> Void)!) { + override func getLikesForCommentID(_ commentID: NSNumber!, success: (([RemoteLikeUser]?) -> Void)!, failure: ((Error?) -> Void)!) { DispatchQueue.global().async { if self.fetchLikesShouldSucceed { success(self.remoteUsersToReturnOnGetLikes) diff --git a/WordPress/WordPressTest/Services/PostServiceWPComTests.swift b/WordPress/WordPressTest/Services/PostServiceWPComTests.swift index 16775ff341d8..702b35b30007 100644 --- a/WordPress/WordPressTest/Services/PostServiceWPComTests.swift +++ b/WordPress/WordPressTest/Services/PostServiceWPComTests.swift @@ -260,7 +260,7 @@ class PostServiceWPComTests: XCTestCase { // Arrange let postID = NSNumber(value: 1) let siteID = NSNumber(value: 2) - let expectedUsers = [createRemoteUser()] + let expectedUsers = [createRemoteLikeUser()] try! context.save() remoteMock.remoteUsersToReturnOnGetLikes = expectedUsers @@ -304,15 +304,15 @@ class PostServiceWPComTests: XCTestCase { return remotePost } - private func createRemoteUser() -> RemoteUser { - let remoteUser = RemoteUser() - remoteUser.userID = NSNumber(value: 123) - remoteUser.primaryBlogID = NSNumber(value: 456) - remoteUser.username = "johndoe" - remoteUser.displayName = "John Doe" - remoteUser.avatarURL = "avatar URL" + private func createRemoteLikeUser() -> RemoteLikeUser { + let userDict: [String: Any] = [ "ID": NSNumber(value: 123), + "login": "johndoe", + "name": "John Doe", + "site_ID": NSNumber(value: 456), + "avatar_URL": "avatar URL" + ] - return remoteUser + return RemoteLikeUser(dictionary: userDict) } } @@ -344,7 +344,7 @@ private class PostServiceRESTMock: PostServiceRemoteREST { // related to fetching likes var fetchLikesShouldSucceed: Bool = true - var remoteUsersToReturnOnGetLikes: [RemoteUser]? = nil + var remoteUsersToReturnOnGetLikes: [RemoteLikeUser]? = nil private(set) var invocationsCountOfCreatePost = 0 private(set) var invocationsCountOfAutoSave = 0 @@ -395,7 +395,7 @@ private class PostServiceRESTMock: PostServiceRemoteREST { } } - override func getLikesForPostID(_ postID: NSNumber!, success: (([RemoteUser]?) -> Void)!, failure: ((Error?) -> Void)!) { + override func getLikesForPostID(_ postID: NSNumber!, success: (([RemoteLikeUser]?) -> Void)!, failure: ((Error?) -> Void)!) { DispatchQueue.global().async { if self.fetchLikesShouldSucceed { success(self.remoteUsersToReturnOnGetLikes) From 592251538d9c4b25bd6056e3e8cdd33df9ff4bb8 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Thu, 22 Apr 2021 10:49:58 +0900 Subject: [PATCH 071/190] Simplify tab vc logic Avoid mutable copy --- .../ViewRelated/System/WPTabBarController.m | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/WordPress/Classes/ViewRelated/System/WPTabBarController.m b/WordPress/Classes/ViewRelated/System/WPTabBarController.m index 04d2ddbec138..18d540185569 100644 --- a/WordPress/Classes/ViewRelated/System/WPTabBarController.m +++ b/WordPress/Classes/ViewRelated/System/WPTabBarController.m @@ -274,18 +274,18 @@ - (ReaderCoordinator *)readerCoordinator - (NSArray *)tabViewControllers { - NSArray *tabs = @[ - self.mySitesCoordinator.rootViewController, - self.notificationsSplitViewController - ]; - - NSMutableArray *mutableTabs = [tabs mutableCopy]; - if (AppConfiguration.showsReader) { - [mutableTabs insertObject:self.readerNavigationController atIndex:1]; + return @[ + self.mySitesCoordinator.rootViewController, + self.readerNavigationController, + self.notificationsSplitViewController + ]; } - return mutableTabs; + return @[ + self.mySitesCoordinator.rootViewController, + self.notificationsSplitViewController + ]; } - (void)showMySitesTab From f5b37bfaf18793ef80608815ed80a444da6b7f92 Mon Sep 17 00:00:00 2001 From: James Frost Date: Thu, 22 Apr 2021 09:11:01 +0100 Subject: [PATCH 072/190] Lint fixes --- .../Controllers/NotificationSettingsViewController.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift index 9480eb67fb0f..e9d82a6050cf 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift @@ -59,7 +59,7 @@ open class NotificationSettingsViewController: UIViewController { activityIndicatorView.tintColor = .textSubtle } - + // MARK: - Service Helpers From 6be124bd528459a8f9e0df7bebbf03edec88f1dd Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Thu, 22 Apr 2021 12:53:39 +0200 Subject: [PATCH 073/190] Fixed a mistake in the release notes. --- RELEASE-NOTES.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index 9520fa492a23..40fb14a0f5f1 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -1,7 +1,7 @@ 17.3 ----- -* [***] Fixed the navigation bar color in dark mode. [#16348] +* [*] Fixed the navigation bar color in dark mode. [#16348] 17.2 ----- From 59027a2566478c31a774d01151a51cae32405349 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 21 Apr 2021 13:42:17 -0400 Subject: [PATCH 074/190] Create migration for adding the deletedFromBlog attribute to BlogAuthor. --- MIGRATIONS.md | 7 + .../WordPress.xcdatamodeld/.xccurrentversion | 2 +- .../WordPress 121.xcdatamodel/contents | 1023 +++++++++++++++++ WordPress/WordPress.xcodeproj/project.pbxproj | 4 +- 4 files changed, 1034 insertions(+), 2 deletions(-) create mode 100644 WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents diff --git a/MIGRATIONS.md b/MIGRATIONS.md index 8de9f8ed4c02..88c1410e3c55 100644 --- a/MIGRATIONS.md +++ b/MIGRATIONS.md @@ -3,6 +3,13 @@ This file documents changes in the data model. Please explain any changes to the data model as well as any custom migrations. +## WordPress 121 + +@twstokes 2021-04-21 + +- `BlogAuthor`: added the attribute + - `deletedFromBlog` (required, default `NO`, `Boolean`) + ## WordPress 120 @chipsnyder 2021-04-12 diff --git a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion index ed0ae9c51753..fe5cf147a687 100644 --- a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion +++ b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion @@ -3,6 +3,6 @@ _XCCurrentVersionName - WordPress 120.xcdatamodel + WordPress 121.xcdatamodel diff --git a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents new file mode 100644 index 000000000000..6cadbd4b4399 --- /dev/null +++ b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents @@ -0,0 +1,1023 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index af479fe0e702..68e09d486831 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -6347,6 +6347,7 @@ BED4D8341FF1208400A11345 /* AztecEditorScreen.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AztecEditorScreen.swift; sourceTree = ""; }; BED4D83A1FF13B8A00A11345 /* EditorPublishEpilogueScreen.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = EditorPublishEpilogueScreen.swift; sourceTree = ""; }; C2988A406A3D5697C2984F3E /* Pods-WordPressStatsWidgets.release-internal.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WordPressStatsWidgets.release-internal.xcconfig"; path = "../Pods/Target Support Files/Pods-WordPressStatsWidgets/Pods-WordPressStatsWidgets.release-internal.xcconfig"; sourceTree = ""; }; + C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 121.xcdatamodel"; sourceTree = ""; }; C52812131832E071008931FD /* WordPress 13.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 13.xcdatamodel"; sourceTree = ""; }; C533CF330E6D3ADA000C3DE8 /* CommentsViewController.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = CommentsViewController.h; sourceTree = ""; }; C533CF340E6D3ADA000C3DE8 /* CommentsViewController.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = CommentsViewController.m; sourceTree = ""; }; @@ -23562,6 +23563,7 @@ E125443B12BF5A7200D87A0A /* WordPress.xcdatamodeld */ = { isa = XCVersionGroup; children = ( + C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */, 46F583A42624C8FA0010A723 /* WordPress 120.xcdatamodel */, C9D7DDBF2613B84500104E95 /* WordPress 119.xcdatamodel */, 46365555260E1DE5006398E4 /* WordPress 118.xcdatamodel */, @@ -23683,7 +23685,7 @@ 8350E15911D28B4A00A7B073 /* WordPress.xcdatamodel */, E125443D12BF5A7200D87A0A /* WordPress 2.xcdatamodel */, ); - currentVersion = 46F583A42624C8FA0010A723 /* WordPress 120.xcdatamodel */; + currentVersion = C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */; name = WordPress.xcdatamodeld; path = Classes/WordPress.xcdatamodeld; sourceTree = ""; From 08fa299c86c42a2fb159b88dd0737560326749df Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 21 Apr 2021 14:08:34 -0400 Subject: [PATCH 075/190] Add new deletedFromBlog property to BlogAuthor. --- WordPress/Classes/Models/BlogAuthor.swift | 1 + 1 file changed, 1 insertion(+) diff --git a/WordPress/Classes/Models/BlogAuthor.swift b/WordPress/Classes/Models/BlogAuthor.swift index 22cd22340607..66d00b8661cb 100644 --- a/WordPress/Classes/Models/BlogAuthor.swift +++ b/WordPress/Classes/Models/BlogAuthor.swift @@ -11,4 +11,5 @@ public class BlogAuthor: NSManagedObject { @NSManaged public var avatarURL: String? @NSManaged public var linkedUserID: NSNumber? @NSManaged public var blog: Blog? + @NSManaged public var deletedFromBlog: Bool } From 2d0e09af9083be15a434095c222312ea8da18cff Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 21 Apr 2021 14:10:30 -0400 Subject: [PATCH 076/190] Improve the name for the method to sync authors, set the deletedFromBlog property appropriately. --- .../Classes/Services/BlogService+BlogAuthors.swift | 13 ++++++++++++- WordPress/Classes/Services/BlogService.m | 2 +- 2 files changed, 13 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Services/BlogService+BlogAuthors.swift b/WordPress/Classes/Services/BlogService+BlogAuthors.swift index 8eb2736b5ef6..4a19b6aedde2 100644 --- a/WordPress/Classes/Services/BlogService+BlogAuthors.swift +++ b/WordPress/Classes/Services/BlogService+BlogAuthors.swift @@ -2,7 +2,11 @@ import Foundation extension BlogService { - @objc func blogAuthors(for blog: Blog, with remoteUsers: [RemoteUser]) { + /// Synchronizes authors for a `Blog` from an array of `RemoteUser`s. + /// - Parameters: + /// - blog: Blog object. + /// - remoteUsers: Array of `RemoteUser`s. + @objc func updateBlogAuthors(for blog: Blog, with remoteUsers: [RemoteUser]) { do { guard let blog = try managedObjectContext.existingObject(with: blog.objectID) as? Blog else { return @@ -17,9 +21,16 @@ extension BlogService { blogAuthor.primaryBlogID = $0.primaryBlogID blogAuthor.avatarURL = $0.avatarURL blogAuthor.linkedUserID = $0.linkedUserID + blogAuthor.deletedFromBlog = false blog.addToAuthors(blogAuthor) } + + // Local authors who weren't included in the remote users array should be set as deleted. + let remoteUserIDs = Set(remoteUsers.map { $0.userID }) + blog.authors? + .filter { !remoteUserIDs.contains($0.userID) } + .forEach { $0.deletedFromBlog = true } } catch { return } diff --git a/WordPress/Classes/Services/BlogService.m b/WordPress/Classes/Services/BlogService.m index 5f5a768e026b..6595d7875265 100644 --- a/WordPress/Classes/Services/BlogService.m +++ b/WordPress/Classes/Services/BlogService.m @@ -906,7 +906,7 @@ - (void)updateMultiAuthor:(NSArray *)users forBlog:(NSManagedObjec return; } - [self blogAuthorsFor:blog with:users]; + [self updateBlogAuthorsFor:blog with:users]; blog.isMultiAuthor = users.count > 1; /// Search for a matching user ID From 35ca562cb426b096906ecc2d453d7d99fcbb13b0 Mon Sep 17 00:00:00 2001 From: "Tanner W. Stokes" Date: Wed, 21 Apr 2021 14:10:46 -0400 Subject: [PATCH 077/190] Add tests for BlogAuthors. --- WordPress/WordPress.xcodeproj/project.pbxproj | 4 + .../BlogServiceAuthorTests.swift | 108 ++++++++++++++++++ 2 files changed, 112 insertions(+) create mode 100644 WordPress/WordPressTest/BlogServiceAuthorTests.swift diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index 68e09d486831..db5dadd83891 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -1842,6 +1842,7 @@ BED4D8331FF11E3800A11345 /* LoginFlow.swift in Sources */ = {isa = PBXBuildFile; fileRef = BED4D8321FF11E3800A11345 /* LoginFlow.swift */; }; BED4D8351FF1208400A11345 /* AztecEditorScreen.swift in Sources */ = {isa = PBXBuildFile; fileRef = BED4D8341FF1208400A11345 /* AztecEditorScreen.swift */; }; BED4D83B1FF13B8A00A11345 /* EditorPublishEpilogueScreen.swift in Sources */ = {isa = PBXBuildFile; fileRef = BED4D83A1FF13B8A00A11345 /* EditorPublishEpilogueScreen.swift */; }; + C314543B262770BE005B216B /* BlogServiceAuthorTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = C314543A262770BE005B216B /* BlogServiceAuthorTests.swift */; }; C533CF350E6D3ADA000C3DE8 /* CommentsViewController.m in Sources */ = {isa = PBXBuildFile; fileRef = C533CF340E6D3ADA000C3DE8 /* CommentsViewController.m */; }; C545E0A21811B9880020844C /* ContextManager.m in Sources */ = {isa = PBXBuildFile; fileRef = C545E0A11811B9880020844C /* ContextManager.m */; }; C56636E91868D0CE00226AAB /* StatsViewController.m in Sources */ = {isa = PBXBuildFile; fileRef = C56636E71868D0CE00226AAB /* StatsViewController.m */; }; @@ -6348,6 +6349,7 @@ BED4D83A1FF13B8A00A11345 /* EditorPublishEpilogueScreen.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = EditorPublishEpilogueScreen.swift; sourceTree = ""; }; C2988A406A3D5697C2984F3E /* Pods-WordPressStatsWidgets.release-internal.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WordPressStatsWidgets.release-internal.xcconfig"; path = "../Pods/Target Support Files/Pods-WordPressStatsWidgets/Pods-WordPressStatsWidgets.release-internal.xcconfig"; sourceTree = ""; }; C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 121.xcdatamodel"; sourceTree = ""; }; + C314543A262770BE005B216B /* BlogServiceAuthorTests.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = BlogServiceAuthorTests.swift; sourceTree = ""; }; C52812131832E071008931FD /* WordPress 13.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 13.xcdatamodel"; sourceTree = ""; }; C533CF330E6D3ADA000C3DE8 /* CommentsViewController.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = CommentsViewController.h; sourceTree = ""; }; C533CF340E6D3ADA000C3DE8 /* CommentsViewController.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = CommentsViewController.m; sourceTree = ""; }; @@ -12122,6 +12124,7 @@ E150520B16CAC5C400D3DDDC /* BlogJetpackTest.m */, 930FD0A519882742000CC81D /* BlogServiceTest.m */, E18549DA230FBFEF003C620E /* BlogServiceDeduplicationTests.swift */, + C314543A262770BE005B216B /* BlogServiceAuthorTests.swift */, AB2211F325ED6E7A00BF72FC /* CommentServiceTests.swift */, 74585B981F0D58F300E7E667 /* DomainsServiceTests.swift */, FAB4F32624EDE12A00F259BA /* FollowCommentsServiceTests.swift */, @@ -18081,6 +18084,7 @@ F1450CF72437E8F800A28BFE /* MediaHostTests.swift in Sources */, 436D55F02115CB6800CEAA33 /* RegisterDomainDetailsSectionTests.swift in Sources */, E1B921BC1C0ED5A3003EA3CB /* MediaSizeSliderCellTest.swift in Sources */, + C314543B262770BE005B216B /* BlogServiceAuthorTests.swift in Sources */, 40F50B80221310D400CBBB73 /* FollowersStatsRecordValueTests.swift in Sources */, 3F50945F245537A700C4470B /* ReaderTabViewModelTests.swift in Sources */, 0885A3671E837AFE00619B4D /* URLIncrementalFilenameTests.swift in Sources */, diff --git a/WordPress/WordPressTest/BlogServiceAuthorTests.swift b/WordPress/WordPressTest/BlogServiceAuthorTests.swift new file mode 100644 index 000000000000..464f86b57b8e --- /dev/null +++ b/WordPress/WordPressTest/BlogServiceAuthorTests.swift @@ -0,0 +1,108 @@ +import CoreData +import XCTest +@testable import WordPress + +class BlogServiceAuthorTests: XCTestCase { + var contextManager: TestContextManager! + var blogService: BlogService! + var context: NSManagedObjectContext { + return contextManager.mainContext + } + + override func setUp() { + super.setUp() + + contextManager = TestContextManager() + blogService = BlogService(managedObjectContext: contextManager.mainContext) + } + + override func tearDown() { + super.tearDown() + + ContextManager.overrideSharedInstance(nil) + contextManager.mainContext.reset() + contextManager = nil + blogService = nil + } + + func testUpdatingBlogAuthors() { + let blog = blogService.createBlog() + + let notFoundAuthor = blog.getAuthorWith(id: 1) + XCTAssertNil(notFoundAuthor) + + let remoteUser = RemoteUser() + remoteUser.userID = 1 + + blogService.updateBlogAuthors(for: blog, with: [remoteUser]) + + let author = blog.getAuthorWith(id: 1) + XCTAssertNotNil(author) + } + + /// Authors should be marked as not deleted from the blog on initial insertion, or reinsertion after being deleted. + func testMarkingAuthorAsNotDeleted() throws { + let blog = blogService.createBlog() + + let remoteUser = RemoteUser() + remoteUser.userID = 1 + + blogService.updateBlogAuthors(for: blog, with: [remoteUser]) + + let author = try XCTUnwrap(blog.getAuthorWith(id: 1)) + XCTAssertFalse(author.deletedFromBlog) + + // the author was removed, set as deleted + blogService.updateBlogAuthors(for: blog, with: []) + + let removedAuthor = try XCTUnwrap(blog.getAuthorWith(id: 1)) + XCTAssertTrue(removedAuthor.deletedFromBlog) + + // the author was added back, set as not deleted + blogService.updateBlogAuthors(for: blog, with: [remoteUser]) + + let addedBackAuthor = try XCTUnwrap(blog.getAuthorWith(id: 1)) + XCTAssertFalse(addedBackAuthor.deletedFromBlog) + } + + /// Authors that are no longer included in the remote user array from the API are marked as deleted. + func testMarkingAuthorAsDeleted() throws { + let blog = blogService.createBlog() + + let remoteUser1 = RemoteUser() + remoteUser1.userID = 1 + + let remoteUser2 = RemoteUser() + remoteUser2.userID = 2 + + blogService.updateBlogAuthors(for: blog, with: [remoteUser1, remoteUser2]) + + XCTAssertNotNil(blog.getAuthorWith(id: 1)) + XCTAssertNotNil(blog.getAuthorWith(id: 2)) + + /// User 2 was deleted so the API only returned User 1 + blogService.updateBlogAuthors(for: blog, with: [remoteUser1]) + + XCTAssertNotNil(blog.getAuthorWith(id: 1)) + + let author2 = try XCTUnwrap(blog.getAuthorWith(id: 2)) + XCTAssertTrue(author2.deletedFromBlog) + } + + func testQueryingBlogAuthorById() throws { + let blog = blogService.createBlog() + + let remoteUser = RemoteUser() + remoteUser.userID = 1 + remoteUser.displayName = "Test Author" + + blogService.updateBlogAuthors(for: blog, with: [remoteUser]) + + let foundAuthor = try XCTUnwrap(blog.getAuthorWith(id: 1)) + XCTAssertEqual(foundAuthor.userID, 1) + XCTAssertEqual(foundAuthor.displayName, "Test Author") + + let notFoundAuthor = blog.getAuthorWith(id: 2) + XCTAssertNil(notFoundAuthor) + } +} From 5d20c1588a6da2d61817283f217fad29d918e35d Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 22 Apr 2021 12:21:12 -0600 Subject: [PATCH 078/190] Update WPKit version. --- Podfile | 4 ++-- Podfile.lock | 13 ++++--------- 2 files changed, 6 insertions(+), 11 deletions(-) diff --git a/Podfile b/Podfile index d4dd20858207..aceef57b7bb3 100644 --- a/Podfile +++ b/Podfile @@ -47,10 +47,10 @@ def wordpress_ui end def wordpress_kit - # pod 'WordPressKit', '~> 4.32.0-beta' + pod 'WordPressKit', '~> 4.32.0-beta' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => 'feature/15662-likes_preferred_blog' + # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index 373a2bb43c00..3ba4289c4176 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.37.0-beta.1) - - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, branch `feature/15662-likes_preferred_blog`) + - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -511,6 +511,7 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator + - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -650,9 +651,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :branch: feature/15662-likes_preferred_blog - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -668,9 +666,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :commit: 9fb71680bf2652420d6536b86480bb9cfb9402a0 - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -752,7 +747,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: 3d3a2e32741cf0dbb4068dd0d60fa973df5ccd02 + WordPressKit: e49a59a33f00dff19b5e812b1c88ef0022eb3938 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -768,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: ff368b023b9b361e21685bc61d04c1956d3ccf3f +PODFILE CHECKSUM: 2d5cb8b46a7d06c27483a62bab0c650a86cf1449 COCOAPODS: 1.10.0 From 36004944d59f3def2224d9941a8378d1190f6667 Mon Sep 17 00:00:00 2001 From: James Frost Date: Thu, 22 Apr 2021 19:31:03 +0100 Subject: [PATCH 079/190] Removed whitespace --- .../Controllers/NotificationSettingsViewController.swift | 1 - 1 file changed, 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift index e9d82a6050cf..89ca6ec65917 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationSettingsViewController.swift @@ -60,7 +60,6 @@ open class NotificationSettingsViewController: UIViewController { } - // MARK: - Service Helpers fileprivate func reloadSettings() { From 81d9a3044e54a5937cc9faa8bf6455ec179ee3ec Mon Sep 17 00:00:00 2001 From: Chip Date: Thu, 22 Apr 2021 17:04:33 -0400 Subject: [PATCH 080/190] Fix: Undo action restores Gutenberg template content as Classic editor (#16342) * Refresh list after restoring posts. * Update App to to restore posts as Gutenberg content * Update release notes * Rerun pod install * Add clarity to release notes entry * Separate change to it's own PR * Update PodSpec --- Podfile.lock | 6 +++--- RELEASE-NOTES.txt | 1 + 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/Podfile.lock b/Podfile.lock index 3ba4289c4176..1810d4fd9529 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.32.0-beta.3): + - WordPressKit (4.32.0-beta.4): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -511,7 +511,6 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator - - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -551,6 +550,7 @@ SPEC REPOS: - UIDeviceIdentifier - WordPress-Aztec-iOS - WordPress-Editor-iOS + - WordPressKit - WordPressMocks - WordPressShared - WordPressUI @@ -747,7 +747,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: e49a59a33f00dff19b5e812b1c88ef0022eb3938 + WordPressKit: 173628293093c393db9aae156bc8a0dd0c624905 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index b48da8da1263..c8683e1bdafd 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -1,5 +1,6 @@ 17.3 ----- +* [**] Fix issue where deleting a post and selecting undo would sometimes convert the content to the classic editor. [#16342] * [*] Comments can be filtered to show the most recent unreplied comments from other users. [#16215] * [*] Fixed the navigation bar color in dark mode. [#16348] From 897907e6df88e6ad1a9a010992a9d079ba7ab5fc Mon Sep 17 00:00:00 2001 From: Chip Date: Thu, 22 Apr 2021 17:44:19 -0400 Subject: [PATCH 081/190] Fix: Refresh the post list after restoring a post (#16358) * Refresh list after restoring posts. * Update App to to restore posts as Gutenberg content * Update release notes * Rerun pod install * Add clarity to release notes entry * Separate change to it's own PR * Refresh the Post lists after an undo action * Add release note for refreshed post list. * Prevent refresh in drafts * Update PodSpec --- RELEASE-NOTES.txt | 1 + .../ViewRelated/Post/AbstractPostListViewController.swift | 5 +++++ 2 files changed, 6 insertions(+) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index c8683e1bdafd..a5e48c38682d 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -1,6 +1,7 @@ 17.3 ----- * [**] Fix issue where deleting a post and selecting undo would sometimes convert the content to the classic editor. [#16342] +* [**] Fix issue where restoring a post left the restored post in the published list even though it has been converted to a draft. [#16358] * [*] Comments can be filtered to show the most recent unreplied comments from other users. [#16215] * [*] Fixed the navigation bar color in dark mode. [#16348] diff --git a/WordPress/Classes/ViewRelated/Post/AbstractPostListViewController.swift b/WordPress/Classes/ViewRelated/Post/AbstractPostListViewController.swift index 2caa2419e83c..28fd2bb07a19 100644 --- a/WordPress/Classes/ViewRelated/Post/AbstractPostListViewController.swift +++ b/WordPress/Classes/ViewRelated/Post/AbstractPostListViewController.swift @@ -1002,6 +1002,11 @@ class AbstractPostListViewController: UIViewController, recentlyTrashedPostObjectIDs.remove(at: index) } + if filterSettings.currentPostListFilter().filterType != .draft { + // Needed or else the post will remain in the published list. + updateAndPerformFetchRequest() + } + let postService = PostService(managedObjectContext: ContextManager.sharedInstance().mainContext) postService.restore(apost, success: { [weak self] in From bfd3592e24f42745aaf057cd7d087cd7b806f45b Mon Sep 17 00:00:00 2001 From: Jeremy Massel Date: Wed, 14 Apr 2021 16:54:37 -0600 Subject: [PATCH 082/190] Allow holding Jetpack builds Make jetpack-pr-build name pretty --- .circleci/config.yml | 30 ++++++++++++++++++++---------- 1 file changed, 20 insertions(+), 10 deletions(-) diff --git a/.circleci/config.yml b/.circleci/config.yml index 60e9ea258aea..ca2b8fa2fa02 100644 --- a/.circleci/config.yml +++ b/.circleci/config.yml @@ -152,7 +152,7 @@ jobs: include_job_number_field: false include_project_field: false failure_message: '${SLACK_FAILURE_MESSAGE}' - Installable Build: + WordPress Installable Build: executor: name: ios/default <<: *xcode_version @@ -268,7 +268,7 @@ jobs: - store_artifacts: path: Artifacts destination: Artifacts - jetpack-installable-build: + Jetpack Installable Build: executor: name: ios/default <<: *xcode_version @@ -297,7 +297,7 @@ jobs: - store_artifacts: path: Artifacts destination: Artifacts - jetpack-pr-build: + Build Jetpack: executor: name: ios/default <<: *xcode_version @@ -359,8 +359,8 @@ workflows: - develop - /^release.*/ - /^gutenberg\/integrate_release_.*/ - - jetpack-installable-build - - jetpack-pr-build + - Build Jetpack: + name: Build Jetpack (without testing) #Optionally run UI tests on PRs - Optional Tests: type: approval @@ -386,16 +386,27 @@ workflows: - not: << pipeline.parameters.beta_build >> - not: << pipeline.parameters.release_build >> jobs: - - Hold: + - Approve WordPress: + type: approval + filters: + branches: + ignore: /pull\/[0-9]+/ + - WordPress Installable Build: + requires: [Approve WordPress] + filters: + branches: + ignore: /pull\/[0-9]+/ + - Approve Jetpack: type: approval filters: branches: ignore: /pull\/[0-9]+/ - - Installable Build: - requires: [Hold] + - Jetpack Installable Build: + requires: [Approve Jetpack] filters: branches: ignore: /pull\/[0-9]+/ + Release Build: when: or: [ << pipeline.parameters.beta_build >>, << pipeline.parameters.release_build >> ] @@ -414,5 +425,4 @@ workflows: only: - develop jobs: - - jetpack-installable-build - + - Jetpack Installable Build From 9d30528ff91ef12bfd071883644438abb451fdc1 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 22 Apr 2021 17:58:10 -0600 Subject: [PATCH 083/190] Add core data entities for Like Notifications user details. --- MIGRATIONS.md | 9 + .../Likes/LikeUser+CoreDataClass.swift | 6 + .../Likes/LikeUser+CoreDataProperties.swift | 18 + .../LikeUserPreferredBlog+CoreDataClass.swift | 6 + ...UserPreferredBlog+CoreDataProperties.swift | 15 + .../WordPress.xcdatamodeld/.xccurrentversion | 2 +- .../WordPress 121.xcdatamodel/contents | 1041 +++++++++++++++++ WordPress/WordPress.xcodeproj/project.pbxproj | 56 +- 8 files changed, 1141 insertions(+), 12 deletions(-) create mode 100644 WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift create mode 100644 WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift create mode 100644 WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift create mode 100644 WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataProperties.swift create mode 100644 WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents diff --git a/MIGRATIONS.md b/MIGRATIONS.md index 8de9f8ed4c02..9ee07fc6c4ef 100644 --- a/MIGRATIONS.md +++ b/MIGRATIONS.md @@ -3,6 +3,15 @@ This file documents changes in the data model. Please explain any changes to the data model as well as any custom migrations. +## WordPress 121 + +@scoutharris 2021-04-22 + +- Added new entities: + - `LikeUser` + - `LikeUserPreferredBlog` +- Created one-to-one relationship between `LikeUser` and `LikeUserPreferredBlog` + ## WordPress 120 @chipsnyder 2021-04-12 diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift new file mode 100644 index 000000000000..702cb7bd202c --- /dev/null +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift @@ -0,0 +1,6 @@ +import CoreData + +@objc(LikeUser) +public class LikeUser: NSManagedObject { + +} diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift new file mode 100644 index 000000000000..cc023ba3e427 --- /dev/null +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift @@ -0,0 +1,18 @@ +import CoreData + +extension LikeUser { + + @nonobjc public class func fetchRequest() -> NSFetchRequest { + return NSFetchRequest(entityName: "LikeUser") + } + + @NSManaged public var userID: Int64 + @NSManaged public var username: String + @NSManaged public var displayName: String + @NSManaged public var primaryBlogID: Int64 + @NSManaged public var avatarUrl: String + @NSManaged public var bio: String + @NSManaged public var dateLiked: String + @NSManaged public var preferredBlog: LikeUserPreferredBlog + +} diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift new file mode 100644 index 000000000000..25f4aeb19d61 --- /dev/null +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift @@ -0,0 +1,6 @@ +import CoreData + +@objc(LikeUserPreferredBlog) +public class LikeUserPreferredBlog: NSManagedObject { + +} diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataProperties.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataProperties.swift new file mode 100644 index 000000000000..bf2f60879214 --- /dev/null +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataProperties.swift @@ -0,0 +1,15 @@ +import CoreData + +extension LikeUserPreferredBlog { + + @nonobjc public class func fetchRequest() -> NSFetchRequest { + return NSFetchRequest(entityName: "LikeUserPreferredBlog") + } + + @NSManaged public var blogUrl: String + @NSManaged public var blogName: String + @NSManaged public var iconUrl: String + @NSManaged public var blogID: Int64 + @NSManaged public var user: LikeUser + +} diff --git a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion index ed0ae9c51753..fe5cf147a687 100644 --- a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion +++ b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion @@ -3,6 +3,6 @@ _XCCurrentVersionName - WordPress 120.xcdatamodel + WordPress 121.xcdatamodel diff --git a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents new file mode 100644 index 000000000000..d6165c5bcd1f --- /dev/null +++ b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 121.xcdatamodel/contents @@ -0,0 +1,1041 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index 163273624eb7..5d429fc62f92 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -333,7 +333,7 @@ 24B1AE3124FEC79900B9F334 /* RemoteFeatureFlagTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24B1AE3024FEC79900B9F334 /* RemoteFeatureFlagTests.swift */; }; 24C69A8B2612421900312D9A /* UserSettingsTests.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24C69A8A2612421900312D9A /* UserSettingsTests.swift */; }; 24C69AC22612467C00312D9A /* UserSettingsTestsObjc.m in Sources */ = {isa = PBXBuildFile; fileRef = 24C69AC12612467C00312D9A /* UserSettingsTestsObjc.m */; }; - 24CE2EB1258D687A0000C297 /* BuildFile in Frameworks */ = {isa = PBXBuildFile; productRef = 24CE2EB0258D687A0000C297 /* SwiftPackageProductDependency */; }; + 24CE2EB1258D687A0000C297 /* WordPressFlux in Frameworks */ = {isa = PBXBuildFile; productRef = 24CE2EB0258D687A0000C297 /* WordPressFlux */; }; 24F3789825E6E62100A27BB7 /* NSManagedObject+Lookup.swift in Sources */ = {isa = PBXBuildFile; fileRef = 24F3789725E6E62100A27BB7 /* NSManagedObject+Lookup.swift */; }; 2611CC62A62F9E6BC25350FE /* Pods_WordPressScreenshotGeneration.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = AB390AA9C94F16E78184E9D1 /* Pods_WordPressScreenshotGeneration.framework */; }; 26D66DEC36ACF7442186B07D /* Pods_WordPressThisWeekWidget.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 979B445A45E13F3289F2E99E /* Pods_WordPressThisWeekWidget.framework */; }; @@ -1405,6 +1405,14 @@ 9826AE9121B5D3CD00C851FA /* PostingActivityCell.xib in Resources */ = {isa = PBXBuildFile; fileRef = 9826AE8F21B5D3CD00C851FA /* PostingActivityCell.xib */; }; 9829162F2224BC1C008736C0 /* SiteStatsDetailsViewModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9829162E2224BC1C008736C0 /* SiteStatsDetailsViewModel.swift */; }; 982A4C3520227D6700B5518E /* NoResultsViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982A4C3420227D6700B5518E /* NoResultsViewController.swift */; }; + 982DDF90263238A6002B3904 /* LikeUser+CoreDataClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8C263238A6002B3904 /* LikeUser+CoreDataClass.swift */; }; + 982DDF91263238A6002B3904 /* LikeUser+CoreDataClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8C263238A6002B3904 /* LikeUser+CoreDataClass.swift */; }; + 982DDF92263238A6002B3904 /* LikeUser+CoreDataProperties.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8D263238A6002B3904 /* LikeUser+CoreDataProperties.swift */; }; + 982DDF93263238A6002B3904 /* LikeUser+CoreDataProperties.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8D263238A6002B3904 /* LikeUser+CoreDataProperties.swift */; }; + 982DDF94263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8E263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift */; }; + 982DDF95263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8E263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift */; }; + 982DDF96263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8F263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift */; }; + 982DDF97263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8F263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift */; }; 983002A822FA05D600F03DBB /* AddInsightTableViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = 983002A722FA05D600F03DBB /* AddInsightTableViewController.swift */; }; 9835F16E25E492EE002EFF23 /* CommentsList.storyboard in Resources */ = {isa = PBXBuildFile; fileRef = 9835F16D25E492EE002EFF23 /* CommentsList.storyboard */; }; 98390AC3254C984700868F0A /* Tracks+StatsWidgets.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98390AC2254C984700868F0A /* Tracks+StatsWidgets.swift */; }; @@ -4093,7 +4101,7 @@ FABB26322602FC2C00C8785C /* Security.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 296890770FE971DC00770264 /* Security.framework */; }; FABB26332602FC2C00C8785C /* MapKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 83F3E25F11275E07004CD686 /* MapKit.framework */; }; FABB26342602FC2C00C8785C /* CoreLocation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 83F3E2D211276371004CD686 /* CoreLocation.framework */; }; - FABB26352602FC2C00C8785C /* BuildFile in Frameworks */ = {isa = PBXBuildFile; productRef = FABB1FA62602FC2C00C8785C /* SwiftPackageProductDependency */; }; + FABB26352602FC2C00C8785C /* WordPressFlux in Frameworks */ = {isa = PBXBuildFile; productRef = FABB1FA62602FC2C00C8785C /* WordPressFlux */; }; FABB26362602FC2C00C8785C /* CoreData.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 8355D7D811D260AA00A61362 /* CoreData.framework */; }; FABB26372602FC2C00C8785C /* CFNetwork.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 834CE7331256D0DE0046A4A3 /* CFNetwork.framework */; }; FABB26382602FC2C00C8785C /* MessageUI.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 83043E54126FA31400EC9953 /* MessageUI.framework */; }; @@ -5902,11 +5910,16 @@ 9826AE8F21B5D3CD00C851FA /* PostingActivityCell.xib */ = {isa = PBXFileReference; lastKnownFileType = file.xib; path = PostingActivityCell.xib; sourceTree = ""; }; 9829162E2224BC1C008736C0 /* SiteStatsDetailsViewModel.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = SiteStatsDetailsViewModel.swift; sourceTree = ""; }; 982A4C3420227D6700B5518E /* NoResultsViewController.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = NoResultsViewController.swift; sourceTree = ""; }; + 982DDF8C263238A6002B3904 /* LikeUser+CoreDataClass.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "LikeUser+CoreDataClass.swift"; sourceTree = ""; }; + 982DDF8D263238A6002B3904 /* LikeUser+CoreDataProperties.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "LikeUser+CoreDataProperties.swift"; sourceTree = ""; }; + 982DDF8E263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "LikeUserPreferredBlog+CoreDataClass.swift"; sourceTree = ""; }; + 982DDF8F263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "LikeUserPreferredBlog+CoreDataProperties.swift"; sourceTree = ""; }; 983002A722FA05D600F03DBB /* AddInsightTableViewController.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AddInsightTableViewController.swift; sourceTree = ""; }; 9833A29B257AE7CF006B8234 /* WordPress 105.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 105.xcdatamodel"; sourceTree = ""; }; 9835F16D25E492EE002EFF23 /* CommentsList.storyboard */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.storyboard; path = CommentsList.storyboard; sourceTree = ""; }; 98390AC2254C984700868F0A /* Tracks+StatsWidgets.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = "Tracks+StatsWidgets.swift"; sourceTree = ""; }; 983AE8502399B19200E5B7F6 /* Base */ = {isa = PBXFileReference; lastKnownFileType = text.plist.strings; name = Base; path = Base.lproj/Localizable.strings; sourceTree = ""; }; + 983D269D2631FB2100B4BB92 /* WordPress 121.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 121.xcdatamodel"; sourceTree = ""; }; 983DBBA822125DD300753988 /* StatsTableFooter.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = StatsTableFooter.xib; sourceTree = ""; }; 983DBBA922125DD300753988 /* StatsTableFooter.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = StatsTableFooter.swift; sourceTree = ""; }; 98458CB721A39D350025D232 /* StatsNoDataRow.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = StatsNoDataRow.swift; sourceTree = ""; }; @@ -7300,7 +7313,7 @@ 296890780FE971DC00770264 /* Security.framework in Frameworks */, 83F3E26011275E07004CD686 /* MapKit.framework in Frameworks */, 83F3E2D311276371004CD686 /* CoreLocation.framework in Frameworks */, - 24CE2EB1258D687A0000C297 /* BuildFile in Frameworks */, + 24CE2EB1258D687A0000C297 /* WordPressFlux in Frameworks */, 8355D7D911D260AA00A61362 /* CoreData.framework in Frameworks */, 834CE7341256D0DE0046A4A3 /* CFNetwork.framework in Frameworks */, 83043E55126FA31400EC9953 /* MessageUI.framework in Frameworks */, @@ -7434,7 +7447,7 @@ FABB26322602FC2C00C8785C /* Security.framework in Frameworks */, FABB26332602FC2C00C8785C /* MapKit.framework in Frameworks */, FABB26342602FC2C00C8785C /* CoreLocation.framework in Frameworks */, - FABB26352602FC2C00C8785C /* BuildFile in Frameworks */, + FABB26352602FC2C00C8785C /* WordPressFlux in Frameworks */, FABB26362602FC2C00C8785C /* CoreData.framework in Frameworks */, FABB26372602FC2C00C8785C /* CFNetwork.framework in Frameworks */, FABB26382602FC2C00C8785C /* MessageUI.framework in Frameworks */, @@ -8054,7 +8067,7 @@ path = GutenbergWeb; sourceTree = ""; }; - 29B97314FDCFA39411CA2CEA = { + 29B97314FDCFA39411CA2CEA /* CustomTemplate */ = { isa = PBXGroup; children = ( F14B5F6F208E648200439554 /* config */, @@ -11019,6 +11032,17 @@ path = "Posting Activity"; sourceTree = ""; }; + 982DDE1226320B4A002B3904 /* Likes */ = { + isa = PBXGroup; + children = ( + 982DDF8C263238A6002B3904 /* LikeUser+CoreDataClass.swift */, + 982DDF8D263238A6002B3904 /* LikeUser+CoreDataProperties.swift */, + 982DDF8E263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift */, + 982DDF8F263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift */, + ); + path = Likes; + sourceTree = ""; + }; 98467A3B221CD30600DF51AE /* Stats Detail */ = { isa = PBXGroup; children = ( @@ -11833,6 +11857,7 @@ isa = PBXGroup; children = ( D816C1EA20E0884100C4D82F /* Actions */, + 982DDE1226320B4A002B3904 /* Likes */, B5722E401D51A28100F40C5E /* Notification.swift */, B5899AE31B422D990075A3D6 /* NotificationSettings.swift */, ); @@ -13954,7 +13979,7 @@ ); name = WordPress; packageProductDependencies = ( - 24CE2EB0258D687A0000C297 /* SwiftPackageProductDependency */, + 24CE2EB0258D687A0000C297 /* WordPressFlux */, ); productName = WordPress; productReference = 1D6058910D05DD3D006BFB54 /* WordPress.app */; @@ -14192,7 +14217,7 @@ ); name = Jetpack; packageProductDependencies = ( - FABB1FA62602FC2C00C8785C /* SwiftPackageProductDependency */, + FABB1FA62602FC2C00C8785C /* WordPressFlux */, ); productName = WordPress; productReference = FABB26522602FC2C00C8785C /* Jetpack.app */; @@ -14402,7 +14427,7 @@ bg, sk, ); - mainGroup = 29B97314FDCFA39411CA2CEA; + mainGroup = 29B97314FDCFA39411CA2CEA /* CustomTemplate */; productRefGroup = 19C28FACFE9D520D11CA2CBB /* Products */; projectDirPath = ""; projectRoot = ""; @@ -16049,6 +16074,7 @@ 9A2B28F52192121400458F2A /* RevisionOperation.swift in Sources */, 984B4EF320742FCC00F87888 /* ZendeskUtils.swift in Sources */, F580C3CB23D8F9B40038E243 /* AbstractPost+Dates.swift in Sources */, + 982DDF90263238A6002B3904 /* LikeUser+CoreDataClass.swift in Sources */, 17D9362324729FB6008B2205 /* Blog+HomepageSettings.swift in Sources */, 1E9D544D23C4C56300F6A9E0 /* GutenbergRollout.swift in Sources */, 17E24F5420FCF1D900BD70A3 /* Routes+MySites.swift in Sources */, @@ -16323,6 +16349,7 @@ B5E167F419C08D18009535AA /* NSCalendar+Helpers.swift in Sources */, 4629E4212440C5B20002E15C /* GutenbergCoverUploadProcessor.swift in Sources */, FF00889F204E01AE007CCE66 /* MediaQuotaCell.swift in Sources */, + 982DDF94263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift in Sources */, F5844B6B235EAF3D007C6557 /* HalfScreenPresentationController.swift in Sources */, E6805D311DCD399600168E4F /* WPRichTextImage.swift in Sources */, 7E4123C120F4097B00DF8486 /* FormattableContentRange.swift in Sources */, @@ -16595,6 +16622,7 @@ 08C388661ED7705E0057BE49 /* MediaAssetExporter.swift in Sources */, E6C892D61C601D55007AD612 /* SharingButtonsViewController.swift in Sources */, F115308121B17E66002F1D65 /* EditorFactory.swift in Sources */, + 982DDF92263238A6002B3904 /* LikeUser+CoreDataProperties.swift in Sources */, 9F8E38BE209C6DE200454E3C /* NotificationSiteSubscriptionViewController.swift in Sources */, 9826AE8621B5C72300C851FA /* PostingActivityDay.swift in Sources */, E1DB326C1D9ACD4A00C8FEBC /* ReaderTeamTopic.swift in Sources */, @@ -17207,6 +17235,7 @@ 43AB7C5E1D3E70510066CB6A /* PostListFilterSettings.swift in Sources */, CE46018B21139E8300F242B6 /* FooterTextContent.swift in Sources */, B5EEDB971C91F10400676B2B /* Blog+Interface.swift in Sources */, + 982DDF96263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift in Sources */, 5D839AA8187F0D6B00811F4A /* PostFeaturedImageCell.m in Sources */, FFCB9F4B22A125BD0080A45F /* WPException.m in Sources */, 9A9E3FAD230E9DD000909BC4 /* StatsGhostCells.swift in Sources */, @@ -18231,6 +18260,7 @@ FABB212C2602FC2C00C8785C /* NotificationsViewController+AppRatings.swift in Sources */, FABB212D2602FC2C00C8785C /* BlogService.m in Sources */, FABB212E2602FC2C00C8785C /* JetpackSettingsViewController.swift in Sources */, + 982DDF95263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift in Sources */, FABB212F2602FC2C00C8785C /* PostingActivityViewController.swift in Sources */, FABB21302602FC2C00C8785C /* PostCardStatusViewModel.swift in Sources */, FAD2544226116CEA00EDAF88 /* AppStyleGuide.swift in Sources */, @@ -18409,6 +18439,7 @@ FABB21D92602FC2C00C8785C /* SearchIdentifierGenerator.swift in Sources */, FABB21DA2602FC2C00C8785C /* StatsTwoColumnRow.swift in Sources */, FABB21DB2602FC2C00C8785C /* AlertInternalView.swift in Sources */, + 982DDF91263238A6002B3904 /* LikeUser+CoreDataClass.swift in Sources */, FABB21DC2602FC2C00C8785C /* ReaderSaveForLaterRemovedPosts.swift in Sources */, FABB21DD2602FC2C00C8785C /* NSAttributedString+StyledHTML.swift in Sources */, FABB21DE2602FC2C00C8785C /* Accessible.swift in Sources */, @@ -18634,6 +18665,7 @@ FABB22B52602FC2C00C8785C /* SearchableItemConvertable.swift in Sources */, FABB22B62602FC2C00C8785C /* WPAndDeviceMediaLibraryDataSource.m in Sources */, FABB22B72602FC2C00C8785C /* SettingsListEditorViewController.swift in Sources */, + 982DDF97263238A6002B3904 /* LikeUserPreferredBlog+CoreDataProperties.swift in Sources */, FABB22B82602FC2C00C8785C /* QuickStartChecklistManager.swift in Sources */, FABB22B92602FC2C00C8785C /* NoResultsTenorConfiguration.swift in Sources */, FABB22BA2602FC2C00C8785C /* JetpackRemoteInstallViewController.swift in Sources */, @@ -19132,6 +19164,7 @@ FABB249D2602FC2C00C8785C /* JetpackScanHistoryCoordinator.swift in Sources */, FABB249E2602FC2C00C8785C /* NoticeStore.swift in Sources */, FABB249F2602FC2C00C8785C /* RevisionBrowserState.swift in Sources */, + 982DDF93263238A6002B3904 /* LikeUser+CoreDataProperties.swift in Sources */, FAADE42626159AFE00BF29FE /* AppConstants.swift in Sources */, FABB24A02602FC2C00C8785C /* KeyValueDatabase.swift in Sources */, FABB24A12602FC2C00C8785C /* UITableViewCell+enableDisable.swift in Sources */, @@ -23536,11 +23569,11 @@ /* End XCConfigurationList section */ /* Begin XCSwiftPackageProductDependency section */ - 24CE2EB0258D687A0000C297 /* SwiftPackageProductDependency */ = { + 24CE2EB0258D687A0000C297 /* WordPressFlux */ = { isa = XCSwiftPackageProductDependency; productName = WordPressFlux; }; - FABB1FA62602FC2C00C8785C /* SwiftPackageProductDependency */ = { + FABB1FA62602FC2C00C8785C /* WordPressFlux */ = { isa = XCSwiftPackageProductDependency; productName = WordPressFlux; }; @@ -23562,6 +23595,7 @@ E125443B12BF5A7200D87A0A /* WordPress.xcdatamodeld */ = { isa = XCVersionGroup; children = ( + 983D269D2631FB2100B4BB92 /* WordPress 121.xcdatamodel */, 46F583A42624C8FA0010A723 /* WordPress 120.xcdatamodel */, C9D7DDBF2613B84500104E95 /* WordPress 119.xcdatamodel */, 46365555260E1DE5006398E4 /* WordPress 118.xcdatamodel */, @@ -23683,7 +23717,7 @@ 8350E15911D28B4A00A7B073 /* WordPress.xcdatamodel */, E125443D12BF5A7200D87A0A /* WordPress 2.xcdatamodel */, ); - currentVersion = 46F583A42624C8FA0010A723 /* WordPress 120.xcdatamodel */; + currentVersion = 983D269D2631FB2100B4BB92 /* WordPress 121.xcdatamodel */; name = WordPress.xcdatamodeld; path = Classes/WordPress.xcdatamodeld; sourceTree = ""; From 0ae9035b07f4ab80c3aa95b4042b7083471bacfd Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Fri, 23 Apr 2021 10:52:37 +0900 Subject: [PATCH 084/190] Add showsQuickActions property to App Config --- .../Classes/Utility/App Configuration/AppConfiguration.swift | 1 + WordPress/Jetpack/AppConfiguration.swift | 1 + 2 files changed, 2 insertions(+) diff --git a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift index f5320c03d8f5..66e9cc40b7e8 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift @@ -13,4 +13,5 @@ import Foundation @objc static let showsReader: Bool = true @objc static let showsCreateButton: Bool = true @objc static let showsJetpackSectionHeader: Bool = true + @objc static let showsQuickActions: Bool = true } diff --git a/WordPress/Jetpack/AppConfiguration.swift b/WordPress/Jetpack/AppConfiguration.swift index cab93810fd0b..22270c8a1630 100644 --- a/WordPress/Jetpack/AppConfiguration.swift +++ b/WordPress/Jetpack/AppConfiguration.swift @@ -13,4 +13,5 @@ import Foundation @objc static let showsReader: Bool = false @objc static let showsCreateButton: Bool = false @objc static let showsJetpackSectionHeader: Bool = false + @objc static let showsQuickActions: Bool = false } From 80a9162c54c3178a1ab82696eb08b3c1db3760e8 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Fri, 23 Apr 2021 10:58:02 +0900 Subject: [PATCH 085/190] Hide Quick Actions if needed --- .../BlogDetailsViewController+Header.swift | 47 ++++++++++++------- 1 file changed, 29 insertions(+), 18 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController+Header.swift b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController+Header.swift index 0c65ec9c5c7e..42f5a2958642 100644 --- a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController+Header.swift +++ b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController+Header.swift @@ -3,24 +3,8 @@ import WordPressFlux extension BlogDetailsViewController { @objc func configureHeaderView() -> BlogDetailHeader { - let actionItems: [ActionRow.Item] = [ - .init(image: .gridicon(.statsAlt), title: NSLocalizedString("Stats", comment: "Noun. Abbv. of Statistics. Links to a blog's Stats screen.")) { [weak self] in - self?.tableView.deselectSelectedRowWithAnimation(false) - self?.showStats(from: .button) - }, - .init(image: .gridicon(.posts), title: NSLocalizedString("Posts", comment: "Noun. Title. Links to the blog's Posts screen.")) { [weak self] in - self?.tableView.deselectSelectedRowWithAnimation(false) - self?.showPostList(from: .button) - }, - .init(image: .gridicon(.image), title: NSLocalizedString("Media", comment: "Noun. Title. Links to the blog's Media library.")) { [weak self] in - self?.tableView.deselectSelectedRowWithAnimation(false) - self?.showMediaLibrary(from: .button) - }, - .init(image: .gridicon(.pages), title: NSLocalizedString("Pages", comment: "Noun. Title. Links to the blog's Pages screen.")) { [weak self] in - self?.tableView.deselectSelectedRowWithAnimation(false) - self?.showPageList(from: .button) - } - ] + + let actionItems = createActionItems() guard Feature.enabled(.newNavBarAppearance) else { return BlogDetailHeaderView(items: actionItems) @@ -49,6 +33,33 @@ extension BlogDetailsViewController { present(navigationController, animated: true) } + private func createActionItems() -> [ActionRow.Item] { + guard AppConfiguration.showsQuickActions else { + return [] + } + + let actionItems: [ActionRow.Item] = [ + .init(image: .gridicon(.statsAlt), title: NSLocalizedString("Stats", comment: "Noun. Abbv. of Statistics. Links to a blog's Stats screen.")) { [weak self] in + self?.tableView.deselectSelectedRowWithAnimation(false) + self?.showStats(from: .button) + }, + .init(image: .gridicon(.posts), title: NSLocalizedString("Posts", comment: "Noun. Title. Links to the blog's Posts screen.")) { [weak self] in + self?.tableView.deselectSelectedRowWithAnimation(false) + self?.showPostList(from: .button) + }, + .init(image: .gridicon(.image), title: NSLocalizedString("Media", comment: "Noun. Title. Links to the blog's Media library.")) { [weak self] in + self?.tableView.deselectSelectedRowWithAnimation(false) + self?.showMediaLibrary(from: .button) + }, + .init(image: .gridicon(.pages), title: NSLocalizedString("Pages", comment: "Noun. Title. Links to the blog's Pages screen.")) { [weak self] in + self?.tableView.deselectSelectedRowWithAnimation(false) + self?.showPageList(from: .button) + } + ] + + return actionItems + } + private func saveSiteTitleSettings(_ title: String) { // We'll only save for admin users, and if the title has actually changed guard title != blog.settings?.name, From 4b81576b205c893faf52a5ded4c32e87aa5b708e Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Fri, 23 Apr 2021 11:00:00 +0900 Subject: [PATCH 086/190] Configure layout spacing based on if the action row is showing or not --- .../Detail Header/NewBlogDetailHeaderView.swift | 15 +++++++++------ 1 file changed, 9 insertions(+), 6 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Blog/Blog Details/Detail Header/NewBlogDetailHeaderView.swift b/WordPress/Classes/ViewRelated/Blog/Blog Details/Detail Header/NewBlogDetailHeaderView.swift index 2da2412f2442..0a0ee7ce7213 100644 --- a/WordPress/Classes/ViewRelated/Blog/Blog Details/Detail Header/NewBlogDetailHeaderView.swift +++ b/WordPress/Classes/ViewRelated/Blog/Blog Details/Detail Header/NewBlogDetailHeaderView.swift @@ -82,7 +82,9 @@ class NewBlogDetailHeaderView: UIView, BlogDetailHeader { static let atSides: CGFloat = 16 static let top: CGFloat = 16 static let belowActionRow: CGFloat = 24 - static let betweenTitleViewAndActionRow: CGFloat = 32 + static func betweenTitleViewAndActionRow(_ showsActionRow: Bool) -> CGFloat { + return showsActionRow ? 32 : 0 + } static let spacingBelowIcon: CGFloat = 16 static let spacingBelowTitle: CGFloat = 8 @@ -132,24 +134,25 @@ class NewBlogDetailHeaderView: UIView, BlogDetailHeader { addBottomBorder(withColor: .separator) - setupConstraintsForChildViews() + let showsActionRow = items.count > 0 + setupConstraintsForChildViews(showsActionRow) } // MARK: - Constraints - private func setupConstraintsForChildViews() { - let actionRowConstraints = constraintsForActionRow() + private func setupConstraintsForChildViews(_ showsActionRow: Bool) { + let actionRowConstraints = constraintsForActionRow(showsActionRow) let titleViewContraints = constraintsForTitleView() NSLayoutConstraint.activate(actionRowConstraints + titleViewContraints) } - private func constraintsForActionRow() -> [NSLayoutConstraint] { + private func constraintsForActionRow(_ showsActionRow: Bool) -> [NSLayoutConstraint] { let widthConstraint = actionRow.widthAnchor.constraint(equalToConstant: LayoutSpacing.maxButtonWidth) widthConstraint.priority = .defaultHigh return [ - actionRow.topAnchor.constraint(equalTo: titleView.bottomAnchor, constant: LayoutSpacing.betweenTitleViewAndActionRow), + actionRow.topAnchor.constraint(equalTo: titleView.bottomAnchor, constant: LayoutSpacing.betweenTitleViewAndActionRow(showsActionRow)), actionRow.bottomAnchor.constraint(equalTo: bottomAnchor, constant: -LayoutSpacing.belowActionRow), actionRow.leadingAnchor.constraint(greaterThanOrEqualTo: titleView.leadingAnchor), actionRow.trailingAnchor.constraint(lessThanOrEqualTo: titleView.trailingAnchor), From 63211ffa0fbd97d25edd76172e0b4237e2383e37 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Fri, 23 Apr 2021 14:06:04 +0200 Subject: [PATCH 087/190] Fixes the search fields' colors. --- .../Colors and Styles/WPStyleGuide+Search.swift | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index f72da184ce0d..c0b4b2db2e25 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -9,11 +9,11 @@ extension WPStyleGuide { searchBar.accessibilityIdentifier = "Search" searchBar.autocapitalizationType = .none searchBar.autocorrectionType = .no - searchBar.isTranslucent = false - searchBar.barTintColor = WPStyleGuide.barTintColor + searchBar.isTranslucent = true + searchBar.backgroundImage = UIImage() + searchBar.backgroundColor = .appBarBackground searchBar.layer.borderWidth = 1.0 searchBar.returnKeyType = .done - searchBar.searchTextField.backgroundColor = .basicBackground } @objc public class func configureSearchBarAppearance() { @@ -54,6 +54,6 @@ extension UISearchBar { // `tintColorDidChange` is called when the appearance changes, so re-set the border color when this occurs. open override func tintColorDidChange() { super.tintColorDidChange() - layer.borderColor = WPStyleGuide.barTintColor.cgColor + layer.borderColor = UIColor.appBarBackground.cgColor } } From 1accd489260523e910d735f9fc039f8f22c55b79 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Fri, 23 Apr 2021 14:12:42 +0200 Subject: [PATCH 088/190] Updated the release notest. --- RELEASE-NOTES.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index a5e48c38682d..85292d6639e9 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -3,7 +3,7 @@ * [**] Fix issue where deleting a post and selecting undo would sometimes convert the content to the classic editor. [#16342] * [**] Fix issue where restoring a post left the restored post in the published list even though it has been converted to a draft. [#16358] * [*] Comments can be filtered to show the most recent unreplied comments from other users. [#16215] - +* [*] Fixed the background color of search fields. [#16365] * [*] Fixed the navigation bar color in dark mode. [#16348] 17.2 From 7af47f23e2f99f0b1675a56677b9791e6bec425a Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Fri, 23 Apr 2021 15:51:11 +0200 Subject: [PATCH 089/190] Improves the coloring of text in search fields across the app. --- .../Colors and Styles/WPStyleGuide+Search.swift | 6 +++--- .../Reader/ReaderFollowedSitesViewController.swift | 4 ++-- .../Reader/ReaderSearchViewController.swift | 4 ++-- .../Reader/WPStyleGuide+ReaderComments.swift | 11 +++++++++-- 4 files changed, 16 insertions(+), 9 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index c0b4b2db2e25..a008bdcc79e2 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -33,16 +33,16 @@ extension WPStyleGuide { @objc public class func configureSearchBarTextAppearance() { // Cancel button let barButtonTitleAttributes: [NSAttributedString.Key: Any] = [.font: WPStyleGuide.fixedFont(for: .headline), - .foregroundColor: UIColor.neutral(.shade70)] + .foregroundColor: UIColor.neutral(.shade70)] let barButtonItemAppearance = UIBarButtonItem.appearance(whenContainedInInstancesOf: [UISearchBar.self]) barButtonItemAppearance.setTitleTextAttributes(barButtonTitleAttributes, for: UIControl.State()) // Text field UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self]).defaultTextAttributes = - (WPStyleGuide.defaultSearchBarTextAttributesSwifted(.neutral(.shade70))) + (WPStyleGuide.defaultSearchBarTextAttributesSwifted()) let placeholderText = NSLocalizedString("Search", comment: "Placeholder text for the search bar") let attributedPlaceholderText = NSAttributedString(string: placeholderText, - attributes: WPStyleGuide.defaultSearchBarTextAttributesSwifted(.neutral(.shade30))) + attributes: WPStyleGuide.defaultSearchBarTextAttributesSwifted()) UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self]).attributedPlaceholder = attributedPlaceholderText } diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift index 11f2d9259a59..9905a55f5e4d 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift @@ -125,10 +125,10 @@ class ReaderFollowedSitesViewController: UIViewController, UIViewControllerResto @objc func configureSearchBar() { let placeholderText = NSLocalizedString("Enter the URL of a site to follow", comment: "Placeholder text prompting the user to type the name of the URL they would like to follow.") - let attributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted(.neutral(.shade30)) + let attributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() let attributedPlaceholder = NSAttributedString(string: placeholderText, attributes: attributes) UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderFollowedSitesViewController.self]).attributedPlaceholder = attributedPlaceholder - let textAttributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted(.neutral(.shade60)) + let textAttributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderFollowedSitesViewController.self]).defaultTextAttributes = textAttributes WPStyleGuide.configureSearchBar(searchBar) diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift index 2bcd949cdd92..2691b03f47e0 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift @@ -161,10 +161,10 @@ import Gridicons @objc func setupSearchBar() { // Appearance must be set before the search bar is added to the view hierarchy. let placeholderText = NSLocalizedString("Search WordPress", comment: "Placeholder text for the Reader search feature.") - let attributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted(.neutral(.shade30)) + let attributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() let attributedPlaceholder = NSAttributedString(string: placeholderText, attributes: attributes) UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderSearchViewController.self]).attributedPlaceholder = attributedPlaceholder - let textAttributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted(.neutral(.shade60)) + let textAttributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderSearchViewController.self]).defaultTextAttributes = textAttributes searchBar.becomeFirstResponder() WPStyleGuide.configureSearchBar(searchBar) diff --git a/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift b/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift index 5998878d2827..bb43e18a86a9 100644 --- a/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift +++ b/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift @@ -8,10 +8,17 @@ extension WPStyleGuide { return NSAttributedString.Key.convertToRaw(attributes: attributes) } - class func defaultSearchBarTextAttributesSwifted(_ color: UIColor) -> [NSAttributedString.Key: Any] { + class func defaultSearchBarTextAttributesSwifted() -> [NSAttributedString.Key: Any] { return [ - .foregroundColor: color, .font: WPStyleGuide.fixedFont(for: .footnote) ] } + + class func defaultSearchBarTextAttributesSwifted(_ color: UIColor) -> [NSAttributedString.Key: Any] { + var attributes = defaultSearchBarTextAttributesSwifted() + + attributes[.foregroundColor] = color + + return attributes + } } From 134fa2628abf96e54f8af36207dbb1250e0d6773 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 23 Apr 2021 11:49:57 -0600 Subject: [PATCH 090/190] Add core data entities for Like Notifications user details. --- MIGRATIONS.md | 9 + .../Likes/LikeUser+CoreDataProperties.swift | 4 +- .../WordPress.xcdatamodeld/.xccurrentversion | 2 +- .../WordPress 122.xcdatamodel/contents | 1042 +++++++++++++++++ WordPress/WordPress.xcodeproj/project.pbxproj | 7 +- 5 files changed, 1058 insertions(+), 6 deletions(-) create mode 100644 WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents diff --git a/MIGRATIONS.md b/MIGRATIONS.md index 88c1410e3c55..b42b9812f29a 100644 --- a/MIGRATIONS.md +++ b/MIGRATIONS.md @@ -3,6 +3,15 @@ This file documents changes in the data model. Please explain any changes to the data model as well as any custom migrations. +## WordPress 122 + +@scoutharris 2021-04-23 + +- Added new entities: +- `LikeUser` +- `LikeUserPreferredBlog` +- Created one-to-one relationship between `LikeUser` and `LikeUserPreferredBlog` + ## WordPress 121 @twstokes 2021-04-21 diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift index cc023ba3e427..d97ca9542d6f 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift @@ -12,7 +12,7 @@ extension LikeUser { @NSManaged public var primaryBlogID: Int64 @NSManaged public var avatarUrl: String @NSManaged public var bio: String - @NSManaged public var dateLiked: String - @NSManaged public var preferredBlog: LikeUserPreferredBlog + @NSManaged public var dateLiked: Date? + @NSManaged public var preferredBlog: LikeUserPreferredBlog? } diff --git a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion index fe5cf147a687..7796626b93b2 100644 --- a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion +++ b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion @@ -3,6 +3,6 @@ _XCCurrentVersionName - WordPress 121.xcdatamodel + WordPress 122.xcdatamodel diff --git a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents new file mode 100644 index 000000000000..007fc3df0d36 --- /dev/null +++ b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents @@ -0,0 +1,1042 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index 8cca3c10cac9..f44355e1552e 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -5920,7 +5920,6 @@ 9835F16D25E492EE002EFF23 /* CommentsList.storyboard */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.storyboard; path = CommentsList.storyboard; sourceTree = ""; }; 98390AC2254C984700868F0A /* Tracks+StatsWidgets.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = "Tracks+StatsWidgets.swift"; sourceTree = ""; }; 983AE8502399B19200E5B7F6 /* Base */ = {isa = PBXFileReference; lastKnownFileType = text.plist.strings; name = Base; path = Base.lproj/Localizable.strings; sourceTree = ""; }; - 983D269D2631FB2100B4BB92 /* WordPress 121.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 121.xcdatamodel"; sourceTree = ""; }; 983DBBA822125DD300753988 /* StatsTableFooter.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = StatsTableFooter.xib; sourceTree = ""; }; 983DBBA922125DD300753988 /* StatsTableFooter.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = StatsTableFooter.swift; sourceTree = ""; }; 98458CB721A39D350025D232 /* StatsNoDataRow.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = StatsNoDataRow.swift; sourceTree = ""; }; @@ -6030,6 +6029,7 @@ 98D31BBC23971F4B009CFF43 /* Base */ = {isa = PBXFileReference; lastKnownFileType = text.plist.strings; name = Base; path = Base.lproj/Localizable.strings; sourceTree = ""; }; 98D52C3022B1CFEB00831529 /* StatsTwoColumnRow.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = StatsTwoColumnRow.swift; sourceTree = ""; }; 98D52C3122B1CFEC00831529 /* StatsTwoColumnRow.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = StatsTwoColumnRow.xib; sourceTree = ""; }; + 98DD1EF2263337C400CF0440 /* WordPress 122.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 122.xcdatamodel"; sourceTree = ""; }; 98DE9A9E239835C800A88D01 /* MainInterface.storyboard */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.storyboard; path = MainInterface.storyboard; sourceTree = ""; }; 98E419DD2399B5A700D8C822 /* Tracks+ThisWeekWidget.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = "Tracks+ThisWeekWidget.swift"; sourceTree = ""; }; 98E419E02399B6C300D8C822 /* ThisWeekWidgetPrefix.pch */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = ThisWeekWidgetPrefix.pch; sourceTree = ""; }; @@ -6361,8 +6361,8 @@ BED4D8341FF1208400A11345 /* AztecEditorScreen.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = AztecEditorScreen.swift; sourceTree = ""; }; BED4D83A1FF13B8A00A11345 /* EditorPublishEpilogueScreen.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = EditorPublishEpilogueScreen.swift; sourceTree = ""; }; C2988A406A3D5697C2984F3E /* Pods-WordPressStatsWidgets.release-internal.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WordPressStatsWidgets.release-internal.xcconfig"; path = "../Pods/Target Support Files/Pods-WordPressStatsWidgets/Pods-WordPressStatsWidgets.release-internal.xcconfig"; sourceTree = ""; }; - C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 121.xcdatamodel"; sourceTree = ""; }; C314543A262770BE005B216B /* BlogServiceAuthorTests.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = BlogServiceAuthorTests.swift; sourceTree = ""; }; + C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 121.xcdatamodel"; sourceTree = ""; }; C52812131832E071008931FD /* WordPress 13.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 13.xcdatamodel"; sourceTree = ""; }; C533CF330E6D3ADA000C3DE8 /* CommentsViewController.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = CommentsViewController.h; sourceTree = ""; }; C533CF340E6D3ADA000C3DE8 /* CommentsViewController.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = CommentsViewController.m; sourceTree = ""; }; @@ -23600,6 +23600,7 @@ E125443B12BF5A7200D87A0A /* WordPress.xcdatamodeld */ = { isa = XCVersionGroup; children = ( + 98DD1EF2263337C400CF0440 /* WordPress 122.xcdatamodel */, C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */, 46F583A42624C8FA0010A723 /* WordPress 120.xcdatamodel */, C9D7DDBF2613B84500104E95 /* WordPress 119.xcdatamodel */, @@ -23722,7 +23723,7 @@ 8350E15911D28B4A00A7B073 /* WordPress.xcdatamodel */, E125443D12BF5A7200D87A0A /* WordPress 2.xcdatamodel */, ); - currentVersion = C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */; + currentVersion = 98DD1EF2263337C400CF0440 /* WordPress 122.xcdatamodel */; name = WordPress.xcdatamodeld; path = Classes/WordPress.xcdatamodeld; sourceTree = ""; From 3068d967ef31ea7671d19d68a49d68bbecdc8ad7 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 23 Apr 2021 13:48:39 -0600 Subject: [PATCH 091/190] Add dateLikedString attribute to LikeUser entity. --- .../Notifications/Likes/LikeUser+CoreDataProperties.swift | 1 + .../WordPress 122.xcdatamodel/contents | 5 +++-- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift index d97ca9542d6f..c6b2fabde7c3 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift @@ -13,6 +13,7 @@ extension LikeUser { @NSManaged public var avatarUrl: String @NSManaged public var bio: String @NSManaged public var dateLiked: Date? + @NSManaged public var dateLikedString: String @NSManaged public var preferredBlog: LikeUserPreferredBlog? } diff --git a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents index 007fc3df0d36..b8c108a12a15 100644 --- a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents +++ b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents @@ -377,6 +377,7 @@ + @@ -980,6 +981,8 @@ + + @@ -1036,7 +1039,5 @@ - - \ No newline at end of file From bc510ac53c14c13177da1bb13ce485e7eaca5412 Mon Sep 17 00:00:00 2001 From: Chip Date: Fri, 23 Apr 2021 17:12:08 -0400 Subject: [PATCH 092/190] Add the edit context to the delete post call (#16367) * Add the edit context to the delete post call * Update Readme * Update PodFile for WordPresskit changes --- Podfile.lock | 6 +++--- RELEASE-NOTES.txt | 2 +- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/Podfile.lock b/Podfile.lock index 1810d4fd9529..e8877ca8a8a9 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.32.0-beta.4): + - WordPressKit (4.32.0-beta.5): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -511,6 +511,7 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator + - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -550,7 +551,6 @@ SPEC REPOS: - UIDeviceIdentifier - WordPress-Aztec-iOS - WordPress-Editor-iOS - - WordPressKit - WordPressMocks - WordPressShared - WordPressUI @@ -747,7 +747,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: 173628293093c393db9aae156bc8a0dd0c624905 + WordPressKit: f941a43d9a181897f5b54bb256ef01ecbdca120d WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index a5e48c38682d..f1a9df158669 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -2,8 +2,8 @@ ----- * [**] Fix issue where deleting a post and selecting undo would sometimes convert the content to the classic editor. [#16342] * [**] Fix issue where restoring a post left the restored post in the published list even though it has been converted to a draft. [#16358] +* [**] Fix issue where trashing a post converted it to Classic content. [#16367] * [*] Comments can be filtered to show the most recent unreplied comments from other users. [#16215] - * [*] Fixed the navigation bar color in dark mode. [#16348] 17.2 From 6719235563148e212a418f8af7b02e575864529f Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Fri, 23 Apr 2021 15:48:43 -0600 Subject: [PATCH 093/190] Make dateLiked non-optional. --- .../Notifications/Likes/LikeUser+CoreDataProperties.swift | 2 +- .../WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift index c6b2fabde7c3..41470f892ed5 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift @@ -12,7 +12,7 @@ extension LikeUser { @NSManaged public var primaryBlogID: Int64 @NSManaged public var avatarUrl: String @NSManaged public var bio: String - @NSManaged public var dateLiked: Date? + @NSManaged public var dateLiked: Date @NSManaged public var dateLikedString: String @NSManaged public var preferredBlog: LikeUserPreferredBlog? diff --git a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents index b8c108a12a15..2a9bc59b9a4e 100644 --- a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents +++ b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 122.xcdatamodel/contents @@ -376,7 +376,7 @@ - + From 98395a3496e8edb57d72377f9f2420769b44f456 Mon Sep 17 00:00:00 2001 From: Jeremy Massel Date: Fri, 23 Apr 2021 16:56:17 -0600 Subject: [PATCH 094/190] Update localizations --- .../Resources/ar.lproj/Localizable.strings | 187 ++++++++----- .../Resources/bg.lproj/Localizable.strings | 185 +++++++----- .../Resources/cs.lproj/Localizable.strings | 187 ++++++++----- .../Resources/cy.lproj/Localizable.strings | 185 +++++++----- .../Resources/da.lproj/Localizable.strings | 185 +++++++----- .../Resources/de.lproj/Localizable.strings | 185 +++++++----- .../Resources/en-AU.lproj/Localizable.strings | 185 +++++++----- .../Resources/en-CA.lproj/Localizable.strings | 185 +++++++----- .../Resources/en-GB.lproj/Localizable.strings | 187 ++++++++----- .../Resources/es.lproj/Localizable.strings | 187 ++++++++----- .../Resources/fr.lproj/Localizable.strings | 185 +++++++----- .../Resources/he.lproj/Localizable.strings | 185 +++++++----- .../Resources/hr.lproj/Localizable.strings | 185 +++++++----- .../Resources/hu.lproj/Localizable.strings | 185 +++++++----- .../Resources/id.lproj/Localizable.strings | 185 +++++++----- .../Resources/is.lproj/Localizable.strings | 185 +++++++----- .../Resources/it.lproj/Localizable.strings | 185 +++++++----- .../Resources/ja.lproj/Localizable.strings | 189 ++++++++----- .../Resources/ko.lproj/Localizable.strings | 185 +++++++----- .../Resources/nb.lproj/Localizable.strings | 221 +++++++++------ .../Resources/nl.lproj/Localizable.strings | 187 ++++++++----- .../Resources/pl.lproj/Localizable.strings | 185 +++++++----- .../Resources/pt-BR.lproj/Localizable.strings | 185 +++++++----- .../Resources/pt.lproj/Localizable.strings | 185 +++++++----- .../Resources/ro.lproj/Localizable.strings | 187 ++++++++----- .../Resources/ru.lproj/Localizable.strings | 187 ++++++++----- .../Resources/sk.lproj/Localizable.strings | 185 +++++++----- .../Resources/sq.lproj/Localizable.strings | 185 +++++++----- .../Resources/sv.lproj/Localizable.strings | 263 ++++++++++-------- .../Resources/th.lproj/Localizable.strings | 185 +++++++----- .../Resources/tr.lproj/Localizable.strings | 185 +++++++----- .../zh-Hans.lproj/Localizable.strings | 187 ++++++++----- .../zh-Hant.lproj/Localizable.strings | 185 +++++++----- .../ar.lproj/Localizable.strings | Bin 4067 -> 4067 bytes .../bg.lproj/Localizable.strings | Bin 3189 -> 3189 bytes .../cs.lproj/Localizable.strings | Bin 4264 -> 4264 bytes .../cy.lproj/Localizable.strings | Bin 2837 -> 2837 bytes .../da.lproj/Localizable.strings | Bin 2830 -> 2830 bytes .../de.lproj/Localizable.strings | Bin 4485 -> 4485 bytes .../en-AU.lproj/Localizable.strings | Bin 2674 -> 2674 bytes .../en-CA.lproj/Localizable.strings | Bin 2740 -> 2740 bytes .../en-GB.lproj/Localizable.strings | Bin 2682 -> 2682 bytes .../es.lproj/Localizable.strings | Bin 3507 -> 3507 bytes .../fr.lproj/Localizable.strings | Bin 4687 -> 4687 bytes .../he.lproj/Localizable.strings | Bin 3994 -> 3994 bytes .../hr.lproj/Localizable.strings | Bin 2845 -> 2845 bytes .../hu.lproj/Localizable.strings | Bin 2914 -> 2914 bytes .../id.lproj/Localizable.strings | Bin 3018 -> 3018 bytes .../is.lproj/Localizable.strings | Bin 3005 -> 3005 bytes .../it.lproj/Localizable.strings | Bin 3444 -> 3444 bytes .../ja.lproj/Localizable.strings | Bin 3204 -> 3204 bytes .../ko.lproj/Localizable.strings | Bin 3056 -> 3056 bytes .../nb.lproj/Localizable.strings | Bin 3442 -> 3442 bytes .../nl.lproj/Localizable.strings | Bin 3350 -> 3350 bytes .../pl.lproj/Localizable.strings | Bin 2795 -> 2795 bytes .../pt-BR.lproj/Localizable.strings | Bin 3960 -> 3960 bytes .../pt.lproj/Localizable.strings | Bin 3314 -> 3314 bytes .../ro.lproj/Localizable.strings | Bin 4337 -> 4337 bytes .../ru.lproj/Localizable.strings | Bin 4532 -> 4532 bytes .../sk.lproj/Localizable.strings | Bin 4484 -> 4484 bytes .../sq.lproj/Localizable.strings | Bin 4377 -> 4377 bytes .../sv.lproj/Localizable.strings | Bin 4501 -> 4499 bytes .../th.lproj/Localizable.strings | Bin 2918 -> 2918 bytes .../tr.lproj/Localizable.strings | Bin 4260 -> 4260 bytes .../zh-Hans.lproj/Localizable.strings | Bin 2712 -> 2712 bytes .../zh-Hant.lproj/Localizable.strings | Bin 2694 -> 2694 bytes .../ar.lproj/Localizable.strings | Bin 146 -> 146 bytes .../bg.lproj/Localizable.strings | Bin 174 -> 174 bytes .../cs.lproj/Localizable.strings | Bin 176 -> 176 bytes .../cy.lproj/Localizable.strings | Bin 118 -> 118 bytes .../da.lproj/Localizable.strings | Bin 128 -> 128 bytes .../de.lproj/Localizable.strings | Bin 139 -> 139 bytes .../en-AU.lproj/Localizable.strings | Bin 84 -> 84 bytes .../en-CA.lproj/Localizable.strings | Bin 84 -> 84 bytes .../en-GB.lproj/Localizable.strings | Bin 84 -> 84 bytes .../es.lproj/Localizable.strings | Bin 128 -> 128 bytes .../fr.lproj/Localizable.strings | Bin 129 -> 129 bytes .../he.lproj/Localizable.strings | Bin 150 -> 150 bytes .../hr.lproj/Localizable.strings | Bin 119 -> 119 bytes .../hu.lproj/Localizable.strings | Bin 160 -> 160 bytes .../id.lproj/Localizable.strings | Bin 134 -> 134 bytes .../is.lproj/Localizable.strings | Bin 138 -> 138 bytes .../it.lproj/Localizable.strings | Bin 120 -> 120 bytes .../ja.lproj/Localizable.strings | Bin 118 -> 118 bytes .../ko.lproj/Localizable.strings | Bin 110 -> 110 bytes .../nb.lproj/Localizable.strings | Bin 133 -> 133 bytes .../nl.lproj/Localizable.strings | Bin 130 -> 130 bytes .../pl.lproj/Localizable.strings | Bin 96 -> 96 bytes .../pt-BR.lproj/Localizable.strings | Bin 158 -> 158 bytes .../pt.lproj/Localizable.strings | Bin 156 -> 156 bytes .../ro.lproj/Localizable.strings | Bin 148 -> 148 bytes .../ru.lproj/Localizable.strings | Bin 166 -> 166 bytes .../sk.lproj/Localizable.strings | Bin 140 -> 140 bytes .../sq.lproj/Localizable.strings | Bin 134 -> 134 bytes .../sv.lproj/Localizable.strings | Bin 146 -> 146 bytes .../th.lproj/Localizable.strings | Bin 154 -> 154 bytes .../tr.lproj/Localizable.strings | Bin 170 -> 170 bytes .../zh-Hans.lproj/Localizable.strings | Bin 110 -> 110 bytes .../zh-Hant.lproj/Localizable.strings | Bin 112 -> 112 bytes 99 files changed, 3730 insertions(+), 2509 deletions(-) diff --git a/WordPress/Resources/ar.lproj/Localizable.strings b/WordPress/Resources/ar.lproj/Localizable.strings index 6515f323d105..a8f65b229e80 100644 --- a/WordPress/Resources/ar.lproj/Localizable.strings +++ b/WordPress/Resources/ar.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-30 09:51:21+0000 */ +/* Translation-Revision-Date: 2021-04-22 19:40:44+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/3.0.0-alpha.2 */ /* Language: ar */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "⁦%1$d⁩ من المقالات التي لم يتم الاطلاع عليها"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. القيمة الحالية هي %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "تم تحويل %1$s إلى %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s - %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@، %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(بدون عنوان)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "قام *Johann Brandt* بالردّ على مقالتك"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "أُعجب *Madison Ruiz* بمقالتك"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ إضافة قائمة جديدة"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< ساعة واحدة"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "يحتوي زر \"المزيد\" على قائمة منسدلة تعرض أزرار المشاركة"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "يحتوي أحد الملفات على نمط أكواد برمجية ضارة"; -/* No comment provided by engineer. */ -"A link to a URL." = "ارتباط إلى رابط URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "رابط إلى تصنيف."; - -/* No comment provided by engineer. */ -"A link to a page." = "رابط إلى صفحة."; - -/* No comment provided by engineer. */ -"A link to a post." = "رابط إلى مقالة."; - -/* No comment provided by engineer. */ -"A link to a tag." = "رابط إلى وسم."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "قائمة المواقع الموجودة على هذا الحساب."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "نبذة"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "حول Jetpack لـ iOS"; + /* My Profile 'About me' label */ "About Me" = "نبذة عني"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "أضف صورة الحساب."; +/* No comment provided by engineer. */ +"Add alt text" = "إضافة نص بديل"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "إضافة أي موضوع"; -/* No comment provided by engineer. */ -"Add button text" = "إضافة نصّ للزر"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "أضف صورة أو أفاتار لتمثيل هذا الحساب الجديد."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "هل تريد بالتأكيد استعادة موقعك مرة أخرى إلى %1$@؟ سيؤدي هذا الإجراء إلى حذف كل المحتوى والخيارات التي تم إنشاؤها أو تم تغييرها من ذلك الحين."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "هل تريد بالتأكيد استعادة موقعك مرة أخرى حتى %@؟\nسيتم فقدان أي شيء قمت بتغييره من ذلك الحين."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "هل تريد بالتأكيد الحفظ كمسودة؟"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "هل ترغب بالتأكيد في التحديث؟"; +/* An example tag used in the login prologue screens. */ +"Art" = "الفن"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "اعتبارًا من 1 أغسطس 2018، لن يسمح فيسبوك بعد الآن بالمشاركة المباشرة للمقالات على ملفات تعريف الفيسبوك. تبقى الاتصالات بصفحات الفيسبوك كما هي."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "إلغاء عمليات رفع الوسائط"; +/* No comment provided by engineer. */ +"Cancel search" = "إلغاء البحث"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "إلغاء المشاركة"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "التصنيف"; -/* No comment provided by engineer. */ -"Category Link" = "رابط التصنيف"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "عنوان التصنيف مفقود."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "اختيار نطاق"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "اختيار أيقونة تطبيق جديدة"; + /* Title of a Quick Start Tour */ "Choose a theme" = "اختيار قالب"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "هل تريد مسح جميع سجلات النشاط القديمة؟"; +/* No comment provided by engineer. */ +"Clear search" = "مسح البحث"; + /* Title of a button. */ "Clear search history" = "مسح محفوظات البحث"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "جمع المعلومات"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "خلفيات ملونة"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "اجمع بين الصور ومقاطع الفيديو والنصوص لإنشاء مقالات قصة جذابة وقابلة للنقر سيحبها زائروك."; @@ -1455,7 +1461,6 @@ "Configure" = "إعدادات"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "تأكيد"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "المتابعة عبر Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "الطهي"; + /* No comment provided by engineer. */ "Copied block" = "المكوِّن الذي تم نسخه"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "إنشاء موقع جديد"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "إنشاء صفحة"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "رفض"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "وصف الغرض من الصورة. اتركه فارغًا إذا كانت الصورة زخرفية أو عنصر تزيين بشكل عام. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "الضغط المزدوج لإضافة مكوِّن"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "الضغط المزدوج لتغيير القيمة باستخدام شريط التمرير"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "اضغط ضغطًا مزدوجًا للتجاهل"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "فشل تصدير الوسائط"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "فشل في إدراج ملف صوتي."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "فشل إدراج الملف الصوتي. يرجى النقر على الخيارات."; +/* No comment provided by engineer. */ +"Failed to insert media." = "فشل في إدراج وسائط."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "فشل في إدراج وسائط.\nيرجى الضغط على الخيارات."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "متابعة المواضيع"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "تابع مواقعك المفضَّلة واكتشف مدوّنات جديدة."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "تابع مواقعك المفضَّلة واكتشف مواضيع جديدة."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "يتابع الوسم."; +/* An example tag used in the login prologue screens. */ +"Football" = "كرة القدم"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "قمنا بتعبئة معلومات جهات الاتصال الخاصة بك مسبقًا على حسابك في WordPress.com من أجل راحتك. يرجى المراجعة للتأكد من صحة المعلومات التي ترغب في استخدامها لهذا النطاق."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "التسمية التوضيحية للمعرض. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "زراعة الحدائق"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "عام"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "يسار"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "الأيقونات القديمة"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "دعنا نساعدك"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "فاتح"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "خلفيات فاتحة"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "يَنقل التعليق إلى سلة المهملات."; +/* An example tag used in the login prologue screens. */ +"Music" = "الموسيقى"; + /* Link to My Profile section My Profile view title */ "My Profile" = "ملفي الشخصي"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "كلمة جديدة بقائمة الحظر"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "أيقونة تطبيق مخصصة جديدة"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "عنوان IP أو نطاق عنوان IP جديد"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "الصفحة"; -/* No comment provided by engineer. */ -"Page Link" = "رابط الصفحة"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "تمت استعادة الصفحة إلى مسودات"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "الإضافات"; +/* An example tag used in the login prologue screens. */ +"Politics" = "السياسة"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "الأكثر شعبية"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "تنسيق المقالة"; -/* No comment provided by engineer. */ -"Post Link" = "رابط المقالة"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "تم استعادة المقالة إلى المسودات"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "ثمَّة مشكلة أثناء عرض المكوِّن"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "مشكلة في تحميل المحتوى"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "مشكلة في التحميل على المواقع"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "حدثت مشكلة أثناء تحميل التدفق"; - /* No comment provided by engineer. */ "Problem opening the audio" = "ثمَّة مشكلة أثناء فتح ملف الصوت"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "مراجعة"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "إرجاع"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "إرجاع الموقع"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "الإرجاع إلى %@"; - /* Post Rich content */ "Rich Content" = "المحتوى المنسق"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "يمين"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "موسيقى Rock 'n Roll الأسبوعية"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "يحفظ هذه المقالة لوقت لاحق."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "جاري حفظ المسودة"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "جاري حفظ المقالة…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "البحث عن المواقع"; -/* No comment provided by engineer. */ -"Search Settings" = "إعدادات البحث"; - /* Label for list of search term */ "Search Term" = "مصطلح البحث"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "بحث ووردبريس\nلموقع أو مقالة"; +/* No comment provided by engineer. */ +"Search block" = "مكوّن بحث"; + +/* No comment provided by engineer. */ +"Search blocks" = "البحث في المكوّنات"; + /* No comment provided by engineer. */ "Search or type URL" = "ابحث أو اكتب رابطًا"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "مسح اقتراحات Siri Shortcut"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "الموقع"; + /* Accessibility label for site icon button */ "Site Icon" = "أيقونة الموقع"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "عذرًا، لا يمكنك استخدام عنوان الموقع هذا."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "عذرًا. تعذر تحميل المحتوى."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "عذرًا. لم تخبرنا خدمة شبكة التواصل الاجتماعي بالحساب الذي يمكن استخدامه للمشاركة."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "عذرًا. تعذر تحميل التدفق."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "عذرًا. يتعذر تحميل نتائج بحثك."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "الدعم"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "تبديل المدونة"; - /* Button used to switch site */ "Switch Site" = "تبديل الموقع"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "التبديل إلى مُحرر المكوّنات"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "التبديل إلى المحرر التقليدي"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "التبديل إلى حجم الخط 1 في العنوان"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "العلامة"; -/* No comment provided by engineer. */ -"Tag Link" = "رابط الوسم"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "يوجد وسم بالفعل"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "المرور"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "تحويل %s إلى"; + +/* No comment provided by engineer. */ +"Transform block…" = "تحويل مكوّن…"; + /* No comment provided by engineer. */ "Translate" = "الترجمة"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "يتعذر تحميل الصورة. يرجى اختيار صورة مختلفة أو المحاولة مرة أخرى لاحقًا."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "يتعذر تحميل هذا المحتوى حاليًا."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "إعدادات عرض الويب"; +/* Example Reader feed title */ +"Web News" = "أخبار الويب"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "يبدأ الأسبوع في"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "لقد أجرينا بعض التغييرات على قائمة الاختيار checklist الخاصة بك"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "لقد حدَّثنا أيقونات التطبيقات المخصصة بمظهر جديد وعصري. هناك 10 أنماط جديدة للاختيار من بينها، أو يمكنك ببساطة الاحتفاظ بالأيقونة الحالية إذا كنت تُفضل ذلك."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "ما هو رأيك في ووردبريس؟"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "ما الذي ترغب في فعله بهذا الملف: هل ترغب في رفعه وإضافة رابط للملف إلى مقالتك، أو إضافة محتويات الملف مباشرة إلى المقالة؟"; +/* No comment provided by engineer. */ +"What is alt text?" = "ماهو النص البديل؟"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "ما المشكلة؟"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "تحتاج إلى التحقق من حسابك قبل أن تتمكن من نشر المقالة.\nلا تقلق، مقالتك آمنة وسيتم حفظها كمسودّة."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "لقد تلقيت *50 إعجاب* على موقعك اليوم"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "لقد أجريت مؤخرًا تغييرات على هذه المقالة، ولكنك لم تحفظها. اختر نسخة لتحميلها:\n\nمن هذا الجهاز\nتم الحفظ في %1$@\n\nمن جهاز آخر\nتم الحفظ في %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "أليس من الأفضل حذف أشياء من القائمة؟"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "أنقر نقرًا مزدوجًا لتغيير الوحدة"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "على سبيل المثال 1122334455"; diff --git a/WordPress/Resources/bg.lproj/Localizable.strings b/WordPress/Resources/bg.lproj/Localizable.strings index 899435e564d5..c6d2e28987da 100644 --- a/WordPress/Resources/bg.lproj/Localizable.strings +++ b/WordPress/Resources/bg.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(без заглавие)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Добавяне на ново меню"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Бутонът \"още\" съдържа падащо меню с бутони за споделяне"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Информация"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "За мен"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Добавете описателен текст"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Отмяна на качването"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Категория"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Липсва заглавие на категорията."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Изчистване на историята на търсенията"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Конфигуриране"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Потвърждаване"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Основни"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Подравняване вляво"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Нека ви помогнем"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Моят профил"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Нов IP адрес или обхват от IP адреси"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Страница"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Страницата бе възстановена като чернова"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Разширения"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Популярен"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Формат"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Публикацията бе възстановена като чернова"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Проблем при зареждането на потока"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Богато съдържание"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Подравняване вдясно"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Търсене на местоположения"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Не можете да използвате този адрес."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Потокът не бе зареден успешно."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Помощ"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Превключване на сайта"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Превключва размера на шрифта на Заглавие 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Етикет"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Визуални настройки"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Какво мислите за WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/cs.lproj/Localizable.strings b/WordPress/Resources/cs.lproj/Localizable.strings index 36de27575d2b..771442e74a9e 100644 --- a/WordPress/Resources/cs.lproj/Localizable.strings +++ b/WordPress/Resources/cs.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-25 18:52:05+0000 */ +/* Translation-Revision-Date: 2021-04-22 05:38:12+0000 */ /* Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ((n >= 2 && n <= 4) ? 1 : 2); */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: cs_CZ */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d neviditelných příspěvků"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Aktuální hodnota je %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s změnit na %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s je %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(žádný název)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johan Brandt* odpověděl na váš příspěvek"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* lajkoval váš příspěvek"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ přidat nové menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hodina"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tlačítko \"více\" obsahuje rozbalovací seznam, který zobrazuje tlačítka sdílení"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Soubor obsahuje vzor škodlivého kódu"; -/* No comment provided by engineer. */ -"A link to a URL." = "Odkaz na adresu URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Odkaz na rubriku."; - -/* No comment provided by engineer. */ -"A link to a page." = "Odkaz na stránku."; - -/* No comment provided by engineer. */ -"A link to a post." = "Odkaz na příspěvek."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Odkaz na štítek."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Seznam webů v tomto účtu."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "O nás"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "O Jetpack pro iOS"; + /* My Profile 'About me' label */ "About Me" = "O mně"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Přidejte obrázek účtu."; +/* No comment provided by engineer. */ +"Add alt text" = "Přidat alternativní text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Přidejte jakékoli téma"; -/* No comment provided by engineer. */ -"Add button text" = "Přidat text tlačítka"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Přidejte obrázek nebo avatar, který představuje tento nový účet."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Opravdu chcete obnovit stav stránky z %1$@? Akce nenávratně odstraní obsah, včetně obsahu a změn nastavení, co jste od té doby udělali."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Opravdu chcete obnovit web zpět na %@?\nCokoli co jste od té doby změnili, bude ztraceno. "; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Opravdu chcete uložit jako koncept?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Opravdu chcete provést aktualizaci?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Umění"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Od 1. srpna 2018 již Facebook neumožňuje přímé sdílení příspěvků na profily Facebooku. Připojení k Facebook stránkám zůstávají nezměněna."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Zrušit nahrávání médií"; +/* No comment provided by engineer. */ +"Cancel search" = "Zrušit vyhledávání"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Zrušit sdílení"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Rubrika"; -/* No comment provided by engineer. */ -"Category Link" = "Odkaz rubriky"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Chybí název rubriky."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Vyberte doménu"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Vyberte novou ikonu aplikace"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Vybrat šablonu"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Vymazat všechny staré protokoly aktivit?"; +/* No comment provided by engineer. */ +"Clear search" = "Vymazat vyhledávání"; + /* Title of a button. */ "Clear search history" = "Smazat historii hledání"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Sbírat informace"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Barevné pozadí"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Zkombinujte fotografie, videa a text a vytvořte poutavé příběhy příspěvků, na které lze klepnout, které se vašim návštěvníkům budou líbit."; @@ -1455,7 +1461,6 @@ "Configure" = "Nastavení"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Potvrdit"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Pokračování s Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Vaření"; + /* No comment provided by engineer. */ "Copied block" = "Zkopírovaný blok"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Vytvořit novou stránku"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Vytvořit stránku"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Odmítnout"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Popište účel obrázku. Pokud je obrázek čistě dekorativní, ponechte toto pole prázdné."; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Dvojitým klepnutím přidáte blok"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Dvojitým klepnutím změníte hodnotu pomocí posuvníku"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Dvojitým klepnutím zavřete"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Export médií se nezdařil"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Vložení zvukového souboru se nezdařilo."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Vložení zvukového souboru se nezdařilo. Klepněte pro možnosti."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Vložení média se nezdařilo."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Chyba při nahrávání média.\nKliknutím otevřete nastavení."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Sledujte témata"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Sledujte své oblíbené weby a objevujte nové blogy."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Sledujte své oblíbené stránky a objevujte nová čtení."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Sleduje značku."; +/* An example tag used in the login prologue screens. */ +"Football" = "Fotbal"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pro vaše pohodlí jsme předvyplnili vaše kontaktní informace na WordPress.com. Zkontrolujte prosím, zda jsou to správné informace, které chcete pro tuto doménu použít."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Titulek galerie. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Zahradničení"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Obecné"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Vlevo"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Starší ikony"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Pomůžeme"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Světlý"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Světlé pozadí"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Přesunout komentáře do koše"; +/* An example tag used in the login prologue screens. */ +"Music" = "Hudba"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Můj profil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nové slovo na černé listině"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "Nová vlastní ikona aplikace"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Nová IP nebo rozsah IP"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Stránka"; -/* No comment provided by engineer. */ -"Page Link" = "Odkaz stránku"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Stránka obnovena do konceptů"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Pluginy"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politika"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Oblíbený"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formát příspěvku"; -/* No comment provided by engineer. */ -"Post Link" = "Odkaz příspěvku"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Příspěvek byl obnoven jako koncept"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Blok se zobrazením problému"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problém s načítáním obsahu"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problém s načítáním webů"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problém s načítáním strýmu "; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problém s otevřením zvuku"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revize"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Přetočit"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Obnovit"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Posunuté dozanu na %@"; - /* Post Rich content */ "Rich Content" = "Bohatý obsah"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Vpravo"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll každý týden"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Uloží tento příspěvek na později."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Ukládám koncept"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Ukládání příspěvku..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Hledání polohy"; -/* No comment provided by engineer. */ -"Search Settings" = "Nastavení vyhledávání"; - /* Label for list of search term */ "Search Term" = "Hledaný výraz"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Prohledejte WordPress\npro web nebo příspěvek"; +/* No comment provided by engineer. */ +"Search block" = "Hledat blok"; + +/* No comment provided by engineer. */ +"Search blocks" = "Hledat bloky"; + /* No comment provided by engineer. */ "Search or type URL" = "Vyhledejte nebo zadejte URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Vymazat návrhy zkratek Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Web"; + /* Accessibility label for site icon button */ "Site Icon" = "Ikona webu"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Nemůžete použít tuto adresu webu."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Obsah nelze načíst."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Promiňte. Sociální služba nám neřekla, který účet lze použít ke sdílení."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Stream nelze načíst."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Omouváme se. Výsledky vyhledávání nemohli být načteny."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Podpora"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Změnit blog"; - /* Button used to switch site */ "Switch Site" = "Přepnout web"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Přepnout na blokový editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Přepněte do klasického editoru"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Přepne na velikost písma Nadpis 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Štítek"; -/* No comment provided by engineer. */ -"Tag Link" = "Odkaz štítku"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Značka již existuje"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Provoz"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Změnit %s na"; + +/* No comment provided by engineer. */ +"Transform block…" = "Změnit blok..."; + /* No comment provided by engineer. */ "Translate" = "Přeložit"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Obrázek nelze načíst. Prosím zvolte jiný, nebo to zkuste později."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Momentálně tento obsah nelze načíst."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Nastavení zobrazení webu"; +/* Example Reader feed title */ +"Web News" = "Novinky na webu"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Týden začíná v"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Ve vašem kontrolním seznamu jsme provedli několik změn"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "Aktualizovali jsme naše vlastní ikony aplikací o nový vzhled. K dispozici je 10 nových stylů, ze kterých si můžete vybrat, nebo si můžete jednoduše ponechat stávající ikonu, pokud chcete."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Co si myslíte o WordPressu?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Co chcete s tímto souborem udělat: nahrát jej a přidat odkaz na soubor do vašeho příspěvku, nebo přidat obsah souboru přímo do příspěvku?"; +/* No comment provided by engineer. */ +"What is alt text?" = "Co je alternativní text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Jaký byl problém?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Než budete moci publikovat příspěvek, musíte svůj účet ověřit.\nNebojte se, váš příspěvek je v bezpečí a bude uložen jako koncept."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "Dnes jste na svém webu obdrželi *50 lajků*"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "V tomto příspěvku jste nedávno provedli změny, ale neuložili jste je. Vyberte verzi, kterou chcete načíst:\n\nZ tohoto zařízení\nUšetřeno na %1$@\n\nZ jiného zařízení\nUšetřeno na %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "není to dobrý pocit, když věci odškrtnete ze seznamu?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "dvojitým klepnutím změníte jednotku"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/cy.lproj/Localizable.strings b/WordPress/Resources/cy.lproj/Localizable.strings index 92edfdd3258d..b4ccf07678e8 100644 --- a/WordPress/Resources/cy.lproj/Localizable.strings +++ b/WordPress/Resources/cy.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(dim teitl)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Ychwanegu dewislen newydd"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Mae'r botwm \"rhagor\" yn cynnwys cwymplen sy'n dangos y botymau rhannu"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Ynghylch"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Amdanaf Fi"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Ychwanegu testun arall"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Diddymu llwytho cyfryngau"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Categori"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Teitl categori ar goll."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clirio Hanes Chwilio"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Ffurfweddu"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Cadarnhau"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Cyffredinol"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Chwith"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Gadewch i ni Helpu"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Fy Mhroffil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Tudalen"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Wedi Adfer Tudalen i'r Drafftiau"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Poblogaidd"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Fformat Cofnod"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Wedi Adfer Cofnod i'r Drafftiau"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Anhawster llwytho llif"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Cynnwys Cyfoethog"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "De"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Lleoliadau Chwilio"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Nid oes modd i chi ddefnyddio'r cyfeiriad gwefan hwn."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Ymddiheuriadau. Nid oedd modd llwytho'r llif."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Cefnogaeth"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Newid Gwefan"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Gosodiadau'r Dangosydd Gwe"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Beth ydych chi'n ei feddwl o WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/da.lproj/Localizable.strings b/WordPress/Resources/da.lproj/Localizable.strings index bb86ad647a27..ece1281bde1d 100644 --- a/WordPress/Resources/da.lproj/Localizable.strings +++ b/WordPress/Resources/da.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(ingen titel)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Om"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "About Me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Tilføj alternativ tekst"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Annuller overførsel af medier"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorititel mangler."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Konfigurer"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Bekræft"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Venstre"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Populære"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Indlægsformat"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Indlæg genskabt under Kladder"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem loading stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Højre"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Søg placeringer"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Beklager, du må ikke bruge den adresse til webstedet."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. The stream could not be loaded."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Skift Blog"; - /* Button used to switch site */ "Switch Site" = "Skift websted"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web Display Settings"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/de.lproj/Localizable.strings b/WordPress/Resources/de.lproj/Localizable.strings index 17b5cd419db1..ea4b4b03166a 100644 --- a/WordPress/Resources/de.lproj/Localizable.strings +++ b/WordPress/Resources/de.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ungesehene Beiträge"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Aktueller Wert ist %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@–%2$@ %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(kein Titel)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Neues Menü hinzufügen"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 Stunde"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Der Button „Mehr“ enthält ein Aufklappmenü mit Teilen-Buttons."; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Eine Datei enthält ein bösartiges Codemuster"; -/* No comment provided by engineer. */ -"A link to a URL." = "Ein Link zu einer URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Ein Link zu einer Kategorie."; - -/* No comment provided by engineer. */ -"A link to a page." = "Ein Link zu einer Seite."; - -/* No comment provided by engineer. */ -"A link to a post." = "Ein Link zu einem Beitrag."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Ein Link zu einem Schlagwort."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Eine Liste der Websites in diesem Konto."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Über"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Über mich"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Füge ein Kontobild hinzu."; +/* No comment provided by engineer. */ +"Add alt text" = "Alt-Text hinzufügen"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Beliebiges Thema hinzufügen"; -/* No comment provided by engineer. */ -"Add button text" = "Button-Text hinzufügen."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Füge ein Bild oder einen Avatar hinzu, der dieses neue Konto repräsentiert."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Möchtest du deine Website wirklich auf %1$@ zurücksetzen? Damit werden Inhalte und Optionen, die seit diesem Zeitpunkt erstellt oder geändert wurden, entfernt."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Möchtest du deine Website wirklich auf %@ zurücksetzen?\nAlle Änderungen, die du seitdem vorgenommen hast, gehen verloren."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Bist du sicher, dass du diese Änderungen als Entwurf speichern möchtest?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Bist du sicher, dass du ein Update vornehmen möchtest?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Ab 1. August 2018 lässt Facebook das direkte Teilen von Beiträgen auf Facebook-Profilen nicht mehr zu. Die Verknüpfungen zu Facebook-Seiten bleiben unverändert."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Medien-Uploads abbrechen"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Teilen abbrechen"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategorie"; -/* No comment provided by engineer. */ -"Category Link" = "Kategorielink"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorietitel fehlt."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Domain auswählen"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Wähle ein Theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Sollen alle alten Aktivitätsprotokolle gelöscht werden?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Suchverlauf löschen"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Informationen erfassen"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombiniere Fotos, Videos und Text, um ansprechende und antippbare Story-Beiträge zu erstellen, die deine Besucher begeistern."; @@ -1455,7 +1461,6 @@ "Configure" = "Konfigurieren"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Bestätigen"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Weiter mit Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Kopierter Block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Neue Website erstellen"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Seite erstellen"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Ablehnen"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Zum Hinzufügen eines Blocks zweimal tippen"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Zum Ändern des Werts mit dem Slider zweimal tippen"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Zum Ausblenden zweimal tippen"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Medienexport fehlgeschlagen"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Audiodatei kann nicht eingefügt werden. Für Optionen hier tippen."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Das Einfügen von Medien ist fehlgeschlagen.\nBitte tippe hier für Optionen."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Themen folgen"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Folge deinen Lieblingswebsites und entdecke neue Blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Folge deinen Lieblingswebsites und entdecke neuen Lesestoff."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Folgt dem Schlagwort."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Wir haben bereits deine WordPress.com-Kontaktinformationen für dich ausgefüllt. Überprüfe bitte, ob wir die Informationen, die du für diese Domain verwenden möchtest, korrekt eingegeben haben."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Bildunterschrift der Galerie. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Allgemein"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Links"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Wir helfen dir"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Hell"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Verschiebt den Kommentar in den Papierkorb."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mein Profil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Neue IP- oder IP-Bereich"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Seite"; -/* No comment provided by engineer. */ -"Page Link" = "Seitenlink"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Seite unter „Entwürfe“ wiederhergestellt"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Beliebt"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Artikel-Formatvorlage"; -/* No comment provided by engineer. */ -"Post Link" = "Beitragslink"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Beitrag als Entwurf wiederhergestellt"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem beim Anzeigen des Blocks"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem beim Laden von Websites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem beim Laden des Streams"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem beim Öffnen der Audiodatei"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Zurücksetzen"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Website zurücksetzen"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Wird zurückgesetzt auf %@"; - /* Post Rich content */ "Rich Content" = "Formatierter Inhalt"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Rechts"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Speichert diesen Beitrag für später."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Entwurf wird gespeichert"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Beitrag wird gespeichert …"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Standortsuche"; -/* No comment provided by engineer. */ -"Search Settings" = "Sucheinstellungen"; - /* Label for list of search term */ "Search Term" = "Begriff suchen"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "WordPress durchsuchen\nnach einer Website oder Beitrag"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "URL suchen oder eingeben"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Vorschläge für Siri-Shortcuts löschen"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Website-Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Tut mir Leid, du darfst diese Website-Adresse leider nicht benutzen."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Tut uns leid. Der Social Media-Dienst hat uns nicht mitgeteilt, welches Konto zum Teilen verwendet werden kann."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Verzeihung. Der Stream konnte nicht geladen werden."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Entschuldigung. Deine Suchergebnisse konnten nicht geladen werden."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Blog wechseln"; - /* Button used to switch site */ "Switch Site" = "Website wechseln"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Zum Block-Editor wechseln"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Zum klassischen Editor wechseln"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Wechselt zur Schriftgröße der Überschrift 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Schlagwort"; -/* No comment provided by engineer. */ -"Tag Link" = "Schlagwort-Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Das Schlagwort existiert bereits"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Übersetzen"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Das Bild konnte nicht geladen werden. Bitte wähle ein anderes oder versuche es später noch einmal."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Dieser Inhalt kann gerade nicht geladen werden."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Webanzeige-Einstellungen"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Woche beginnt am"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Wir haben einige Änderungen an deiner Checkliste vorgenommen."; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Was ist deine Meinung zu WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Was möchtest du mit dieser Datei machen? Möchtest du sie hochladen und deinem Beitrag einen Link zu der Datei hinzufügen oder möchtest du die Dateiinhalte direkt in den Beitrag einfügen?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Was war das Problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Du musst dein Konto verifizieren, bevor du einen Beitrag veröffentlichen kannst.\nKeine Sorge, dein Beitrag ist sicher und wird als Entwurf gespeichert."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Du hast vor kurzem Änderungen an diesem Beitrag vorgenommen, diese aber nicht gespeichert. Wähle eine Version aus, die geladen wird:\n\nVon diesem Gerät\nGespeichert am %1$@\n\nVon einem anderen Gerät\nGespeichert am %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "Fühlt es sich nicht gut an, Dinge von einer Liste abzuhaken?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "z. B. 1122334455"; diff --git a/WordPress/Resources/en-AU.lproj/Localizable.strings b/WordPress/Resources/en-AU.lproj/Localizable.strings index dab3ced5b73d..de38a2283c82 100644 --- a/WordPress/Resources/en-AU.lproj/Localizable.strings +++ b/WordPress/Resources/en-AU.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(no title)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "About"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "About Me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Add alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancel media uploads"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Configure"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirm"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Left"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem loading stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Right"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Search Locations"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Clear Siri Shortcut Suggestions"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Sorry, you may not use that site address."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. The stream could not be loaded."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web Display Settings"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/en-CA.lproj/Localizable.strings b/WordPress/Resources/en-CA.lproj/Localizable.strings index 838a0bcf50af..106165044976 100644 --- a/WordPress/Resources/en-CA.lproj/Localizable.strings +++ b/WordPress/Resources/en-CA.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(no title)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "About"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "About Me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Add alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancel media uploads"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Configure"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirm"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favourite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favourite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Left"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem loading stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Right"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Search Locations"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Clear Siri Shortcut Suggestions"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Sorry, you may not use that site address."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. The stream could not be loaded."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web Display Settings"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %1$@\n\nFrom another device\nSaved on %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/en-GB.lproj/Localizable.strings b/WordPress/Resources/en-GB.lproj/Localizable.strings index 3912df6a60ee..3362d752e01d 100644 --- a/WordPress/Resources/en-GB.lproj/Localizable.strings +++ b/WordPress/Resources/en-GB.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-25 12:48:16+0000 */ +/* Translation-Revision-Date: 2021-04-20 07:37:10+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: en_GB */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(no title)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "About"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "About Me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Add alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancel media uploads"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colourful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Configure"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirm"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favourite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favourite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Left"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Bin."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem loading stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Right"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock ‘n’ Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Search Locations"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Clear Siri Shortcut Suggestions"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Sorry, you may not use that site address."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. The stream could not be loaded."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web Display Settings"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are ten new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %1$@\n\nFrom another device\nSaved on %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/es.lproj/Localizable.strings b/WordPress/Resources/es.lproj/Localizable.strings index aa1b536d71b7..0b010bae068e 100644 --- a/WordPress/Resources/es.lproj/Localizable.strings +++ b/WordPress/Resources/es.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-29 18:53:04+0000 */ +/* Translation-Revision-Date: 2021-04-20 10:50:37+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: es */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d entradas no vistas"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. El valor actual es %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformado a %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(sin título)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Juan López* respondió a tu entrada"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "A *Manuela Ruiz* le gustó tu entrada"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Añadir menú nuevo"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hora"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "El botón «Más» contiene un desplegable que muestra los botones para compartir."; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Un archivo contiene un patrón de código malicioso"; -/* No comment provided by engineer. */ -"A link to a URL." = "Un enlace a una URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Un enlace a una categoría."; - -/* No comment provided by engineer. */ -"A link to a page." = "Un enlace a una página."; - -/* No comment provided by engineer. */ -"A link to a post." = "Un enlace a una entrada."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Un enlace a una etiqueta."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Una lista de sitios en esta cuenta."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Acerca de"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "Acerca de Jetpack para iOS"; + /* My Profile 'About me' label */ "About Me" = "Sobre mí"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Añade la imagen de la cuenta."; +/* No comment provided by engineer. */ +"Add alt text" = "Añade texto alt"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Añadir cualquier debate"; -/* No comment provided by engineer. */ -"Add button text" = "Añadir el texto del botón"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Añade una imagen o avatar para representar a esta nueva cuenta."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "¿Seguro que quieres restaurar tu sitio a la versión del %1$@? Con esta acción, se eliminará el contenido y las opciones que has creado o cambiado desde entonces."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "¡Estás seguro de querer restaurar tu sitio de vuelta a %@?\nTodo lo que hayas cambiado desde entonces se perderá."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "¿Estás seguro de que quieres guardar como borrador?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "¿Estás seguro de que quieres actualizar?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Arte"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Desde el 1 de agosto de 2018 Facebook ya no permite compartir directamente entradas a perfiles de Facebook. Las conexiones con páginas de Facebook siguen sin cambios."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancelar subida de elementos multimedia"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancelar la búsqueda"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancelar compartir"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoría"; -/* No comment provided by engineer. */ -"Category Link" = "Enlace de la categoría"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta el título de la categoría"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Elegir un dominio"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Elige un nuevo icono para la aplicación"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Elige un tema"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "¿Vaciar todos los registros de actividad antiguos?"; +/* No comment provided by engineer. */ +"Clear search" = "Vaciar la búsqueda"; + /* Title of a button. */ "Clear search history" = "Vaciar historial de búsqueda"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Recopilar información"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Fondos coloridos"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combina fotos, vídeos y texto para crear entradas de historias atractivas y accesibles que les encantarán a tus visitantes."; @@ -1455,7 +1461,6 @@ "Configure" = "Configurar"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirmar"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuando con Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cocina"; + /* No comment provided by engineer. */ "Copied block" = "Bloque copiado"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Crea un nuevo sitio"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Crear página"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Denegar"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe el propósito de la imagen. Déjalo vacío si la imagen es puramente decorativa."; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Toca dos veces para añadir un bloque"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Toca dos veces para cambiar el valor usando el control deslizante"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Pulsa dos veces para descartar"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Exportación fallida de medios"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Fallo al insertar el archivo de audio."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Fallo al insertar el archivo de audio. Por favor, toca para ver las opciones."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Fallo al insertar los medios."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Fallo al insertar multimedia.\nPor favor, pulsa para ver las opciones."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Seguir temáticas"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Sigue tus sitios favoritos y descubre nuevos blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Sigue tus sitios favoritos y descubre nuevas lecturas."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Sigue la etiqueta."; +/* An example tag used in the login prologue screens. */ +"Football" = "Fútbol"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Para tu comodidad, hemos rellenado previamente tu información de contacto de WordPress.com. Por favor, revísala para asegurarte de que es la información correcta que deseas utilizar para este dominio."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Leyenda de la galería. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Jardinería"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Izquierda"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Iconos heredados"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Deja que te ayudemos"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Claro"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Fondos claros"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Traslada el comentario a la papelera."; +/* An example tag used in the login prologue screens. */ +"Music" = "Música"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mi perfil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nueva palabra en la lista negra"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "Nuevos iconos personalizados de la aplicación"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Nueva IP o rango de IPs"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; -/* No comment provided by engineer. */ -"Page Link" = "Enlace a la página"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Se ha restaurado la página en Borradores"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Política"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato de entrada"; -/* No comment provided by engineer. */ -"Post Link" = "Enlace a la entrada"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Se ha restaurado la entrada a borradores"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problema al mostrar el bloque"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problema al cargar el contenido"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problema al cargar los sitios"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problema al cargar el hilo"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problema al abrir el audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revisión"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rebobinar"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rebobinar sitio"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rebobinando hasta %@"; - /* Post Rich content */ "Rich Content" = "Contenido enriquecido"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Derecha"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock'n Roll semanal"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Guarda esta entrada para más tarde."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Guardando borrador"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Guardando entrada..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Buscar ubicaciones"; -/* No comment provided by engineer. */ -"Search Settings" = "Ajustes de búsqueda"; - /* Label for list of search term */ "Search Term" = "Buscar término"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Buscar en WordPress\nun sitio o entrada"; +/* No comment provided by engineer. */ +"Search block" = "Buscar bloque"; + +/* No comment provided by engineer. */ +"Search blocks" = "Buscar bloques"; + /* No comment provided by engineer. */ "Search or type URL" = "Busca o escribe la URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Vaciar sugerencias de atajos de Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Sitio"; + /* Accessibility label for site icon button */ "Site Icon" = "Icono del sitio"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "No puedes utilizar esta dirección para el sitio."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Lo sentimos, no se pudo cargar el contenido."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Lo siento. El servicio social no nos dijo qué cuenta puede usarse para compartir."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Lo sentimos, no se pudo cargar el hilo."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Lo siento. No se han podido cargar tus resultados de búsqueda."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Soporte"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Cambiar de blog"; - /* Button used to switch site */ "Switch Site" = "Cambiar de sitio"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Cambiar al editor de bloques"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Cambiar al editor clásico"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Cambia al tamaño de fuente Cabecera 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiqueta"; -/* No comment provided by engineer. */ -"Tag Link" = "Enlace de la etiqueta"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "La etiqueta ya existe"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfico"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformar %s a"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformar bloque…"; + /* No comment provided by engineer. */ "Translate" = "Traducir"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "No fue posible subir la imagen. Por favor, elige una distinta o inténtalo de nuevo más tarde."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "En este momento no se ha podido cargar esta página."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Ajustes de visualización web"; +/* Example Reader feed title */ +"Web News" = "Noticias web"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "La semana empieza el"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Hemos realizado algunos cambios en tu lista de comprobación"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "Hemos actualizado los iconos personalizados de nuestra aplicación con un nuevo y fresco aspecto. Hay 10 nuevos estilos entre los que elegir, o puedes simplemente dejar tu icono existente si lo prefieres."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "¿Qué opinas de WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "¿Qué quieres hacer con este archivo: subirlo y añadir un enlace al archivo en tu entrada, o añadir los contenidos del archivo directamente en la entrada?"; +/* No comment provided by engineer. */ +"What is alt text?" = "¿Qué es el texto alt?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "¿Cuál fue el problema?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Necesitarás verificar tu cuenta antes de publicar una entrada.\nNo te preocupes, tu entrada está segura y se guardará como borrador."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "Hoy has recibido *50 me gusta* en tu sitio"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Recientemente has hecho cambios en esta entrada, pero no los has guardado. Elige una versión para cargar:\n\nDesde este dispositivo\nGuardado el %1$@\n\nDesde otro dispositivo\nGuardado el %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "¿a que sienta bien tachar cosas de una lista?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "doble toque para cambiar de unidad"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "p.ej. 1122334455"; diff --git a/WordPress/Resources/fr.lproj/Localizable.strings b/WordPress/Resources/fr.lproj/Localizable.strings index dd71f6e908b2..1118902f8477 100644 --- a/WordPress/Resources/fr.lproj/Localizable.strings +++ b/WordPress/Resources/fr.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articles non lus"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. La valeur actuelle est %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "du %1$@ au %2$@ %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(aucun titre)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Ajouter un nouveau menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "<1 heure"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un bouton \"Plus\" contenant un menu déroulant qui affiche les boutons de partage"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Un fichier contient un modèle de code malveillant"; -/* No comment provided by engineer. */ -"A link to a URL." = "Un lien vers une URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Un lien vers une catégorie."; - -/* No comment provided by engineer. */ -"A link to a page." = "Un lien vers une page."; - -/* No comment provided by engineer. */ -"A link to a post." = "Un lien vers un article."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Un lien vers une étiquette."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Un liste de sites de ce compte"; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "À propos"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "À propos de moi"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Ajouter une image de compte."; +/* No comment provided by engineer. */ +"Add alt text" = "Ajouter un texte alternatif"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Ajouter un sujet"; -/* No comment provided by engineer. */ -"Add button text" = "Ajouter le libellé du bouton"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Ajouter une image ou un avatar pour représenter ce nouveau compte."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Voulez-vous vraiment rétablir la version %1$@ de votre site ? Cela supprimera le contenu et les options créés ou modifiés jusqu’à maintenant."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Voulez-vous vraiment rétablir la version %@ de votre site ?\nToutes les modifications apportées depuis seront perdues."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Confirmez-vous vouloir enregistrer comme brouillon ?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Confirmez-vous vouloir mettre à jour ?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "À compter du 1er août 2018, Facebook n’autorise plus le partage direct d’une publication sur un profil Facebook. La connexion aux pages Facebook reste inchangée."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Annulation du téléversement des médias"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Annuler le partage"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Catégorie"; -/* No comment provided by engineer. */ -"Category Link" = "Lien de catégorie"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Il manque le titre de la catégorie"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choisir un domaine"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choisissez un thème"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Effacer tous les anciens journaux d’activités ?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Supprimer l'historique de recherche"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Recueil d’information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combinez des photos, des vidéos et du texte pour créer des publications de story engageantes et sur lesquelles on peut appuyer. Vos visiteurs apprécieront."; @@ -1455,7 +1461,6 @@ "Configure" = "Configurer"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirmer"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuez avec Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Bloc copié"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Créer un nouveau site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Créer une page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Refuser"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Toucher deux fois pour ajouter un bloc"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Toucher deux fois pour modifier la valeur à l’aide du curseur"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Touchez deux fois pour rejeter"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Échec de l’exportation du média"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Échec d’insertion du fichier audio Veuillez appuyer pour afficher les options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "L’insertion du média a échoué.\nVeuillez toucher pour les options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Suivre des sujets"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Suivez vos sites préférés et découvrez de nouveaux blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Suivez vos sites préférés et découvrez de nouvelles lectures."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Suivre l’étiquette."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pour vous faciliter la tâche, nous avons prérempli vos coordonnées WordPress.com. Veuillez vérifier qu'elles correspondent bien aux informations que vous voulez utiliser pour ce domaine."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Légende de la galerie. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Général"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Gauche"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Laissez-nous vous aider"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Clair"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Déplace le commentaire dans la corbeille."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mon profil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Nouvelle IP ou plage IP"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Lien de page"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page rétablie dans Brouillons"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Extensions"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popularité"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format d'article"; -/* No comment provided by engineer. */ -"Post Link" = "Lien de l’article"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Article rétabli dans Brouillons"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problème pour afficher le bloc"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problème de chargement des sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problème lors du chargement du flux"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Un problème est survenu lors de l’ouverture du fichier audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Révision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rembobiner"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rétablir le site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rembobinage à la version du %@"; - /* Post Rich content */ "Rich Content" = "Contenu enrichi"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Droite"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Enregistrer cet article pour plus tard."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Enregistrement du brouillon"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Enregistrement de l’article…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Recherche de lieu"; -/* No comment provided by engineer. */ -"Search Settings" = "Paramètres de recherche"; - /* Label for list of search term */ "Search Term" = "Chercher un terme"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Recherche WordPress\nd’un site ou d’un article"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Rechercher ou saisir une URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Effacer les suggestions de raccourcis de Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Icône de site"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Vous ne pouvez pas utiliser cette adresse de site."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Désolé. Le service social ne nous a pas dit quel compte doit être utilisé pour le partage."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Désolé. Le flux n'a pas pu être chargé."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Désolé. Vos résultats de recherche ne peuvent pas être chargés."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Changer de blog"; - /* Button used to switch site */ "Switch Site" = "Changer de site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Passer à l’éditeur de blocs"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Passez à l’éditeur classique"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Basculez sur la taille de police du Titre niveau 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Étiquette"; -/* No comment provided by engineer. */ -"Tag Link" = "Lien de l’étiquette"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Cette étiquette existe déjà."; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Trafic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Traduire"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Impossible de charger l’image. Veuillez en choisir une autre ou réessayer plus tard."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Impossible de charger cette page pour le moment. "; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Paramètres d'affichage Web"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "La semaine commence le"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Nous avons réalisé quelques modifications à notre checklist."; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Que pensez-vous de WordPress ?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Que voulez-vous faire avec ce fichier : le téléverser et ajouter un lien vers ce fichier dans votre article, ou ajouter le contenu de ce fichier directement dans l’article ?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Quel était le problème ?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Vous devez vérifier votre compte avant de publier cet article.\nRassurez-vous, votre article sera enregistré comme brouillon."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Vous avez récemment apporté des modifications à cet article mais vous ne les avez pas enregistrées. Choisissez une version à charger :\n\nDepuis cet appareil\nEnregistrée le %1$@\n\nDepuis un autre appareil\nEnregistrée le %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "On se sent pas mieux après avoir coché des éléments de la liste ?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ex. 1122334455"; diff --git a/WordPress/Resources/he.lproj/Localizable.strings b/WordPress/Resources/he.lproj/Localizable.strings index 4d540cc7ffea..b06e87fbe164 100644 --- a/WordPress/Resources/he.lproj/Localizable.strings +++ b/WordPress/Resources/he.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "⁦%1$d⁩ פוסטים מוסתרים"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. הערך הנוכחי הוא %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "‎%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(חסרה כותרת)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ הוספת תפריט חדש"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< שעה אחת"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "הכפתור 'עוד' כולל תפריט נפתח שמציג כפתורי שיתוף"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "קובץ שמכיל תבנית של קוד זדוני"; -/* No comment provided by engineer. */ -"A link to a URL." = "קישור לכתובת URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "קישור לקטגוריה מסוימת."; - -/* No comment provided by engineer. */ -"A link to a page." = "קישור לעמוד מסוים."; - -/* No comment provided by engineer. */ -"A link to a post." = "קישור לפוסט מסוים."; - -/* No comment provided by engineer. */ -"A link to a tag." = "קישור לתגית מסוימת."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "רשימה של אתרים בחשבון זה."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "אודות"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "אודותיי"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "להוסיף תמונת חשבון."; +/* No comment provided by engineer. */ +"Add alt text" = "הוספת טקסט חלופי"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "להוסיף נושא כלשהו"; -/* No comment provided by engineer. */ -"Add button text" = "להוסיף טקסט לכפתור"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "להוסיף תמונה או תמונת פרופיל שתייצג את החשבון חדש."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "האם ברצונך לשחזר את האתר חזרה לגרסה מתאריך %1$@? פעולה זו תסיר את התוכן והאפשרויות שנוצרו או ששונו מאז."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "האם ברצונך לשחזר את האתר חזרה לגרסה מתאריך %@?\nכל השינויים שבוצעו לאחר מועד זה יאבדו."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "האם ברצונך לשמור כטיוטה?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "האם ברצונך לעדכן?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "החל מ-1 באוגוסט 2018, פלטפורמת פייסבוק לא תאפשר עוד שיתוף ישיר של פוסטים לפרופילים בפייסבוק. החשבונות המקושרים לדפים בפייסבוק לא ישתנו."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "ביטול טעינת מדיה"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "ביטול השיתוף"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "קטגוריה"; -/* No comment provided by engineer. */ -"Category Link" = "קישור לקטגוריה"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "חסרה כותרת לקטגוריה"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "לבחור דומיין"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "בחירת ערכת עיצוב"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "האם למחוק את כל יומני הפעילות הישנים?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "ניקוי היסטוריית חיפוש"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "איסוף מידע"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "אפשר לשלב תמונות, סרטוני וידאו וטקסטים כדי ליצור פוסטים מעניינים של סטורי שיוצגו בהקשה ולהרשים את הקוראים שלך."; @@ -1455,7 +1461,6 @@ "Configure" = "הגדר"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "אשר"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "להמשיך עם Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "הבלוק הועתק"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "יצירת אתר חדש"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "ליצור עמוד"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "דחייה"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "יש להקיש פעמיים כדי להוסיף בלוק"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "יש להקיש פעמיים כדי לשנות את הערך באמצעות הסליידר"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "יש להקיש פעמיים כדי להתעלם"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "ייצוא המדיה נכשל"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "נכשלה ההוספה של קובץ האודיו. יש להקיש לאפשרויות."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "שילוב פירטי המדיה נכשל.\n יש להקיש לאפשרויות."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "לעקוב אחר נושאים"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "כדאי לעקוב אחר האתרים המועדפים שלך ולגלות בלוגים חדשים לקריאה."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "כדאי לעקוב אחר האתרים המועדפים שלך ולגלות חומרי קריאה חדשים."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "עוקב אחר התגית."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "לנוחותך, מילאנו מראש את הפרטים ליצירת קשר עמך ב-WordPress.com. יש לבדוק את הפרטים ולוודא שהמידע נכון לדומיין שבו ברצונך להשתמש."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "כיתוב לגלריה. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "כללי"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "שמאל"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "תנו לנו לעזור"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "צבעים בהירים"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "העברת התגובות לפח."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "הפרופיל שלי"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "מילה חדשה לרשימת החסימות"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "כתובת IP או טווח IP חדשים"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "עמוד"; -/* No comment provided by engineer. */ -"Page Link" = "קישור לעמוד"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "עמוד שוחזר למצב 'טיוטה'"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "תוספים"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "פופולארי"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "פורמט"; -/* No comment provided by engineer. */ -"Post Link" = "קישור לפוסט"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "פוסט שוחזר למצב \"טיוטה\""; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "בעיה בהצגת הבלוק"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "בעיה בטעינת האתר"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "בעיה בטעינת זרם"; - /* No comment provided by engineer. */ "Problem opening the audio" = "בעיה בפתיחת האודיו"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "גרסה"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "שחזור לגרסה קודמת"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "שחזר גרסה קודמת של האתר"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "משחזר לתאריך %@"; - /* Post Rich content */ "Rich Content" = "תוכן עשיר"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "ימין"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "שומר את הפוסט הנוכחי למועד מאוחר יותר."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "שומר טיוטה"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "שומר פוסט..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "חיפוש מיקומים"; -/* No comment provided by engineer. */ -"Search Settings" = "הגדרות חיפוש"; - /* Label for list of search term */ "Search Term" = "מונח חיפוש"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "לחפש ב-WordPress \nאתר או פוסט"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "לחפש או להקליד כתובת URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "ניקוי של ההצעות לקיצורי הדרך של Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "סמל אתר"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "לא ניתן להשתמש בכתובת את זו."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "מצטערים. הרשת החברתית לא ציינה באיזה חשבון עלינו להשתמש לשיתוף."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "מצטערים. לא ניתן היה לטעון את הזרם."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "מצטערים. לא ניתן לטעון את תוצאות החיפוש שלך."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "תמיכה"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "להחליף בלוג"; - /* Button used to switch site */ "Switch Site" = "החלפת אתר"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "להחליף לעורך הבלוקים"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "להחליף לעורך הקלאסי"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "מבצע החלפה לגודל גופן 1 בכותרת"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "תגית"; -/* No comment provided by engineer. */ -"Tag Link" = "קישור לתגית"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "התגית כבר קיימת"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "תעבורה"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "לתרגם"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "לא ניתן לטעון את התמונה. יש לספק תמונה אחרת או לנסות שוב מאוחר יותר."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "אין אפשרות לטעון את התוכן כרגע."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "הגדרות תצוגת אינטרנט"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "היום הראשון בשבוע"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "ביצענו מספר שינויים לרשימת המשימות שלך"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "מה דעתך על וורדפרס?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "מה ברצונך לעשות עם הקובץ: האם להעלות אותו ולהוסיף קישור לקובץ בפוסט שלך או להוסיף את התוכן של הקובץ ישירות לפוסט?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "מתי הבעיה התרחשה?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "עליך לאמת את החשבון שלך לפני שיהיה באפשרותך לפרסם פוסט.\nאל דאגה, הפוסט שלך בטוח ויישמר כטיוטה."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "לאחרונה ביצעת שינויים בפוסט וטרם שמרת אותם. יש לבחור את הגרסה שברצונך לטעון: \n\nמהמכשיר הנייד הזה\nנשמר בתאריך %1$@\n\nממכשיר אחר\nנשמר בתאריך %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "שמחים שהשלמת את המטרה שהצבת לעצמך!"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "לדוגמה 1122334455"; diff --git a/WordPress/Resources/hr.lproj/Localizable.strings b/WordPress/Resources/hr.lproj/Localizable.strings index 3f697a2a6080..f032c15eda12 100644 --- a/WordPress/Resources/hr.lproj/Localizable.strings +++ b/WordPress/Resources/hr.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(bez naslova)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Info"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "About Me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Add alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancel media uploads"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Nedostaje naslov kategorije."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Konfiguriraj"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Potvrdi"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Napravi stranu"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Lijevo"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popularno"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem loading stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Desno"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Search Locations"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Sorry, you may not use that site address."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. The stream could not be loaded."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Podrška"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web Display Settings"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/hu.lproj/Localizable.strings b/WordPress/Resources/hu.lproj/Localizable.strings index 413c3abb87d5..7ebcf3d20a57 100644 --- a/WordPress/Resources/hu.lproj/Localizable.strings +++ b/WordPress/Resources/hu.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(nincs cím)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Névjegy"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "About Me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Add alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancel media uploads"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategória cím hiányzik."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Beállítás"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Megerősítés"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Left"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Bejegyzés formátum"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem loading stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Right"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Search Locations"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Sajnos, ez a cím nem használható!"; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. The stream could not be loaded."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Segítség"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web Display Settings"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/id.lproj/Localizable.strings b/WordPress/Resources/id.lproj/Localizable.strings index 45ac4486b6a3..b7e837a5361d 100644 --- a/WordPress/Resources/id.lproj/Localizable.strings +++ b/WordPress/Resources/id.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d pos yang belum dilihat"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Nilai saat ini %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(tanpa judul)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Tambahkan menu baru"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 jam"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tombol \"lagi\" berisi menu buka bawah yang menampilkan tombol berbagi"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Sebuah file mengandung pola kode berbahaya"; -/* No comment provided by engineer. */ -"A link to a URL." = "Tautan ke URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Tautan ke kategori."; - -/* No comment provided by engineer. */ -"A link to a page." = "Tautan ke halaman."; - -/* No comment provided by engineer. */ -"A link to a post." = "Tautan ke pos."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Tautan ke tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Daftar situs di akun ini."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Perihal"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Tentang Saya"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Tambahkan gambar akun."; +/* No comment provided by engineer. */ +"Add alt text" = "Tambahkan teks alt"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Tambahkan topik yang mana saja"; -/* No comment provided by engineer. */ -"Add button text" = "Tambahkan teks tombol"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Tambahkan gambar, atau avatar, untuk mewakili akun baru ini."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Anda yakin ingin memulihkan situs kembali ke %1$@? Tindakan ini akan menghapus konten dan opsi yang dibuat atau diubah sejak saat itu."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Anda yakin ingin memulihkan situs kembali ke %@?\nSemua yang sudah Anda ubah akan hilang."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Anda yakin ingin menyimpan sebagai konsep?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Anda yakin ingin memperbarui?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Per 1 Agustus 2018, Facebook tak lagi mengizinkan berbagi pos langsung ke Profil Facebook. Sambungan ke Halaman Facebook tidak berubah."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Batalkan unggahan media"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Batalkan berbagi"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Tautan Kategori"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Belum ada judul kategori."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Pilih domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Pilih tema"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Hapus semua log aktivitas lama?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Bersihkan riwayat pencarian"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Kumpulkan informasi"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombinasikan foto, video, dan teks untuk membuat pos cerita, yang menarik dan memancing pengunjung Anda untuk mengetuk, yang pasti disukai pengunjung Anda."; @@ -1455,7 +1461,6 @@ "Configure" = "Konfigurasikan"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Konfirmasi"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Melanjutkan dengan Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Blok disalin"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Buat Situs Baru"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Buat Halaman"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Tolak"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Ketuk dua kali untuk menambahkan blok"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Ketuk dua kali untuk mengubah nilai menggunakan slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Ketuk dua kali untuk menutup"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Ekspor Media Gagal"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Gagal memasukkan file audio. Ketuk untuk melihat pilihan."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Gagal memasukkan media.\nHarap ketuk untuk melihat pilihan."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Ikuti topik"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Ikuti situs favorit Anda dan temukan blog-blog baru."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Ikuti situs favorit Anda dan temukan bacaan-bacaan baru."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Ikuti tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Demi kenyamanan Anda, kami telah mengisi informasi kontak WordPress.com Anda terlebih dahulu. Harap tinjau untuk memastikan informasi yang ingin Anda gunakan untuk domain ini sudah benar."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Keterangan galeri. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Umum"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Rata Kiri"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Mari Kami Bantu"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Terang"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Pindahkan komentar ke Tempat Sampah"; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Profil Saya"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Daftar Blokir Kata Baru"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "IP atau Rentang IP baru"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Halaman"; -/* No comment provided by engineer. */ -"Page Link" = "Tautan Halaman"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Halaman Dipulihkan ke Draf"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugin"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Populer"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format Tulisan"; -/* No comment provided by engineer. */ -"Post Link" = "Tautan Pos"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Pos Dipulihkan ke Draf"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Terjadi masalah saat menampilkan blok"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Masalah saat memuat situs"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Terjadi masalah saat memuat stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Terjadi masalah saat membuka audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revisi"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Putar Balik"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Putar Balik Situs"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Memutar balik ke %@"; - /* Post Rich content */ "Rich Content" = "Konten Kaya"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Rata Kanan"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Menyimpan pos ini untuk nanti."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Menyimpan Konsep"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Menyimpan pos…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Cari Lokasi"; -/* No comment provided by engineer. */ -"Search Settings" = "Pengaturan Pencarian"; - /* Label for list of search term */ "Search Term" = "Istilah Pencarian"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Cari WordPress\nuntuk situs atau tulisan"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Cari atau ketik URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Kosongkan Saran Pintasan Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Ikon Situs"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Maaf, Anda tidak dapat menggunakan alamat situs tersebut."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Maaf. Layanan sosial tersebut tidak memberi tahu kami mengenai akun mana yang dapat digunakan untuk berbagi."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Maaf. Stream tidak dapat dimuat."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Maaf. Hasil pencarian Anda tidak dapat dimuat."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Dukungan"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Beralih Blog"; - /* Button used to switch site */ "Switch Site" = "Pindah Situs"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Beralih ke penyunting blok"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Beralih ke penyunting klasik"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Beralih ke Judul ukuran font 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tautan Tag"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag sudah ada"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Lalu Lintas"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Terjemahan"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Tidak dapat memuat gambar. Pilih yang lainnya atau coba lagi nanti."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Tidak dapat memuat konten ini sekarang."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Pengaturan Tampilan Web"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Minggu dimulai"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Kami telah melakukan beberapa perubahan pada daftar periksa Anda"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Apa pendapat Anda tentang WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Apa yang ingin Anda lakukan dengan file ini: mengunggahnya dan menambahkan tautan ke file dalam pos Anda, atau menambahkan konten file langsung ke pos?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Apa masalahnya?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Anda perlu melakukan verifikasi akun Anda sebelum dapat mempublikasikan pos.\nJangan khawatir, pos Anda aman dan akan disimpan sebagai draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Anda baru-baru ini melakukan perubahan pada postingan ini tetapi tidak menyimpannya. Pilih versi untuk dimuat:\n\nDari perangkat ini\nDisimpan pada %1$@\n\nDari perangkat lain\nDisimpan pada %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "bukankah menyenangkan rasanya saat mencoret satu hal dari daftar?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "misalnya 1122334455"; diff --git a/WordPress/Resources/is.lproj/Localizable.strings b/WordPress/Resources/is.lproj/Localizable.strings index f3d4ff5a7c17..6067288ced50 100644 --- a/WordPress/Resources/is.lproj/Localizable.strings +++ b/WordPress/Resources/is.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(ekkert heiti)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Bæta við nýrri valmynd"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "\"meira\" hnappur inniheldur fellivalmynd sem birtir deilihnappa"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Um"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Um mig"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Bæta við alt texta"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Hætta við skráarupphal"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Flokkur"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Nafn flokks vantar."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Hreinsa leitarsögu"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Stilla"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Staðfesta"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Tókst ekki að setja skrá inn í færsluna þína.\n Ýttu til þess að skoða valkosti."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Almennt"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Vinstri"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Leyfðu okkur að aðstoða"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Minn prófíll"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Síða"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Síða endurvakin sem drög"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Vinsæl"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Færslusnið"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Færsla endurvakin sem drög"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Vandamál að hlaða straumi"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Auðgað efni"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Hægri"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Leita eftir staðsetningu"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Því miður, þú getur ekki notað þetta veffang."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Því miður. Ekki var unnt að hlaða straumnum."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Aðstoð"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Skipta um blogg"; - /* Button used to switch site */ "Switch Site" = "Skipta um vef"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Efnisorð"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Stillingar vefbirtingar"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Hvað finnst þér um WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/it.lproj/Localizable.strings b/WordPress/Resources/it.lproj/Localizable.strings index a4f92824f3f7..99647523a398 100644 --- a/WordPress/Resources/it.lproj/Localizable.strings +++ b/WordPress/Resources/it.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articoli non letti"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Il valore attuale è %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "Dal %1$@ al %2$@ %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(senza titolo)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Aggiungi nuovo menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 ora"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un pulsante \"Altro\" contiene un menu a tendina che mostra i pulsanti di condivisione"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Un file contiene un modello di codice dannoso"; -/* No comment provided by engineer. */ -"A link to a URL." = "Un link a un URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Un link a una categoria."; - -/* No comment provided by engineer. */ -"A link to a page." = "Un link a una pagina."; - -/* No comment provided by engineer. */ -"A link to a post." = "Un link a un articolo."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Un link a un tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Un elenco dei siti su questo account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Info"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Su di me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Aggiungi immagine account."; +/* No comment provided by engineer. */ +"Add alt text" = "Aggiungi un testo alternativo"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Aggiungi qualsiasi argomento"; -/* No comment provided by engineer. */ -"Add button text" = "Aggiungi il testo del pulsante"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Aggiungi un'immagine, o un avatar, per rappresentare questo nuovo account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Desideri ripristinare il sito al giorno %1$@? In questo modo verranno rimossi i contenuti e le opzioni creati o modificati da allora."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Desideri ripristinare il sito al giorno %1$@?\nQualsiasi modifica apportata da quel momento andrà persa."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Desideri salvare come bozza?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Desideri aggiornare?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "A partire dal 1 agosto 2018, Facebook non consente più la condivisione diretta degli articoli sui profili di Facebook. Le connessioni alle pagine di Facebook restano invariate."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Annulla caricamenti multimediali"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Annulla condivisione"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; -/* No comment provided by engineer. */ -"Category Link" = "Link categoria"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Manca il titolo della categoria"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Scegli un dominio"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Scegli un tema"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Cancellare tutti i log delle vecchie attività?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Cancella la cronologia di ricerca"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Raccogli informazioni"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combina foto, video e testo per creare articoli della storia coinvolgenti e che si possono toccare che i visitatori ameranno."; @@ -1455,7 +1461,6 @@ "Configure" = "Configura"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Conferma"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continua con Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Blocco copiato"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Crea un nuovo sito"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Crea pagina"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Nega"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Tocca due volte per aggiungere un blocco"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Tocca due volte per modificare il valore usando lo slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Doppio tocco per ignorare"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Esportazione file multimediali non riuscita"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Inserimento del file audio non riuscito Tocca per le opzioni."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Errore nell'inserimento di un media.\n Fai un tap per le opzioni possibili."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Segui gli argomenti"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Segui i tuoi siti preferiti e scopri nuovi blog."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Segui i tuoi siti preferiti e scopri nuove letture."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Segui il tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Per agevolarti, abbiamo precompilato le tue informazioni di contatto di WordPress.com. Rileggi per verificare che le informazioni che desideri utilizzare per questo dominio siano corrette."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Didascalia della galleria. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Generali"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Sinistra"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Permettici di aiutare"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Chiaro"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Sposta il commento nel cestino."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Il mio profilo"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nuovo elenco delle parole da bloccare"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Nuovo IP o nuovo IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagina"; -/* No comment provided by engineer. */ -"Page Link" = "Link pagina"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagina ripristinata in Bozze"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugin"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popolari"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato articolo"; -/* No comment provided by engineer. */ -"Post Link" = "Link articolo"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Articolo ripristinato in Bozze"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problema durante la visualizzazione del blocco"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problemi nel caricamento del sito"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problema durante il caricamento dello stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problema durante l'apertura dell'audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revisione"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Ripristina"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Ripristina sito"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Ripristino al giorno %@"; - /* Post Rich content */ "Rich Content" = "Ricco di contenuti "; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Destra"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Salva questo articolo per dopo"; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Salvataggio bozza in corso"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Salvataggio dell'articolo…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Cerca località"; -/* No comment provided by engineer. */ -"Search Settings" = "Impostazioni di ricerca"; - /* Label for list of search term */ "Search Term" = "Cerca il termine"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Cerca un sito o un post\nsu WordPress"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Cerca o digita URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Cancella i suggerimenti per le scorciatoie di Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Icona di sito"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Spiacenti, non puoi usare quell'indirizzo per il tuo sito."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Siamo spiacenti, il servizio social non ci ha comunicato quale account poteva essere usato per la condivisione."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Siamo spiacenti. Lo stream non può essere caricato."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Siamo spiacenti, non è possibile caricare i risultati della ricerca."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Supporto"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Cambia blog"; - /* Button used to switch site */ "Switch Site" = "Cambia sito"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Passa all'editor a blocchi"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Passa al Classic Editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Passa alla dimensione carattere Heading 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Link tag"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Il tag esiste già"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffico"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Traduci"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Impossibile caricare l'immagine. Selezionarne una diversa o riprovare più tardi."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Impossibile caricare questo contenuto al momento."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Impostazioni visualizzazione web"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "La settimana inizia il"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Abbiamo apportato delle modifiche alla checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Che cosa pensi di WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Cosa desideri fare con questo file: caricarlo e aggiungere un link al file nel tuo articolo o aggiungere i contenuti del file direttamente nell'articolo?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Qual era il problema?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Devi verificare il tuo account prima che tu possa pubblicare un articolo.\nNon preoccuparti, il tuo articolo è al sicuro e sarà salvato come una bozza."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Sono stati effettuati dei cambiamenti recenti a questo articolo ma non sono stati salvati. Scegli la versione da caricare:\n\nDa questo dispositivo\nSalvato il %1$@\n\nDall'altro dispositivo\nSalvato il %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "Non è bello spuntare le cose su una lista?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ad esempio 1122334455"; diff --git a/WordPress/Resources/ja.lproj/Localizable.strings b/WordPress/Resources/ja.lproj/Localizable.strings index 889d4ea74389..79de299ae03c 100644 --- a/WordPress/Resources/ja.lproj/Localizable.strings +++ b/WordPress/Resources/ja.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-31 09:54:08+0000 */ +/* Translation-Revision-Date: 2021-04-20 07:40:01+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: ja_JP */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d件の未読の投稿"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s.現在の値 : %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$sを%2$sに変換しました"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$sです。%2$sは%3$s %4$sです。"; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@、%3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(タイトルなし)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johan Brandt* さんが投稿に返信しました"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* さんが投稿に「いいね」しました"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ 新規メニューを追加"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "1時間以下"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "「その他」ボタンには共有ボタンを表示するドロップダウンリストが含まれています"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "ファイルには、悪意のあるコードが含まれています"; -/* No comment provided by engineer. */ -"A link to a URL." = "URL へのリンク。"; - -/* No comment provided by engineer. */ -"A link to a category." = "カテゴリーへのリンク"; - -/* No comment provided by engineer. */ -"A link to a page." = "ページへのリンク。"; - -/* No comment provided by engineer. */ -"A link to a post." = "投稿へのリンク。"; - -/* No comment provided by engineer. */ -"A link to a tag." = "タグへのリンク。"; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "このアカウントのサイトのリストです。"; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "紹介"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "Jetpack for iOS について"; + /* My Profile 'About me' label */ "About Me" = "自己紹介"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "アカウントの画像を追加します。"; +/* No comment provided by engineer. */ +"Add alt text" = "代替テキストを追加"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "任意のトピックを追加"; -/* No comment provided by engineer. */ -"Add button text" = "ボタンのテキストを追加"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "この新規アカウントを表す画像またはアバターを追加します。"; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "%1$@ にサイトを復元しますか ? この操作により、作成したコンテンツとオプション、および作成後に行ったすべての変更が削除されます。"; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "%@ にサイトを復元しますか ?\nそれ以降の変更はすべて失われます。"; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "下書きとして保存してもよいですか ?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "更新してもよいですか ?"; +/* An example tag used in the login prologue screens. */ +"Art" = "アート"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "2018年8月1日以降、Facebook では Facebook プロフィールへの投稿の直接共有ができなくなります。Facebook ページとの連携については変更ありません。"; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "メディアアップロードをキャンセル"; +/* No comment provided by engineer. */ +"Cancel search" = "検索をキャンセル"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "共有をキャンセル"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "カテゴリー"; -/* No comment provided by engineer. */ -"Category Link" = "カテゴリーリンク"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "カテゴリー名を入力してください。"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "ドメインを選択"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "新しいアイコンを選択"; + /* Title of a Quick Start Tour */ "Choose a theme" = "テーマを選択"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "すべてのアクティビティログを削除しますか ?"; +/* No comment provided by engineer. */ +"Clear search" = "検索をクリア"; + /* Title of a button. */ "Clear search history" = "検索履歴を削除"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "情報を収集"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "カラフルな背景"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "写真、動画、文章を組み合わせて、見た人が心をつかまれタップしたくなるような、好感を持たれるストーリー投稿を作ります。"; @@ -1455,7 +1461,6 @@ "Configure" = "設定"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "確認"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple と連携しています"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "料理"; + /* No comment provided by engineer. */ "Copied block" = "コピーしたブロック"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "新規サイトを作成"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "ページを作成"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "非承認"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "画像の目的を説明してください。画像が純粋に装飾的なものの場合は、空のままにします。"; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "ダブルタップしてブロックを追加"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "スライダーを使用して値を変更するにはダブルタップします"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "ダブルタップして非表示"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "メディアのエクスポートに失敗しました"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "音声ファイルの挿入に失敗しました。"; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "音声ファイルの挿入に失敗しました。 タップすると、オプションが表示されます。"; +/* No comment provided by engineer. */ +"Failed to insert media." = "メディアの挿入に失敗しました。"; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "メディアの挿入に失敗しました。\nタップしてオプションを表示できます。"; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "トピックをフォロー"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "お気に入りのサイトをフォローして新しいブログを発見しましょう。"; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "お気に入りのサイトをフォローして新しい読み物を発見しましょう。"; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "タグをフォローします。"; +/* An example tag used in the login prologue screens. */ +"Football" = "フットボール"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "お手間を省くため、WordPress.com 連絡先情報にはデータが事前に入力されています。このドメインに使用する正しい情報かどうか、ご確認ください。"; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "ギャラリーオプション。%s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "ガーデニング"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "一般"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "左"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "レガシーアイコン"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "お手伝いさせてください"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "ライト"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "明るい背景"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "コメントをゴミ箱へ移動します。"; +/* An example tag used in the login prologue screens. */ +"Music" = "音楽"; + /* Link to My Profile section My Profile view title */ "My Profile" = "プロフィール"; @@ -3866,7 +3894,10 @@ "New" = "新規"; /* Blocklist Keyword Insertion Title */ -"New Blocklist Word" = "New Blocklist Word"; +"New Blocklist Word" = "新規ブラックリスト単語"; + +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "新カスタムアプリアイコン"; /* IP Address or Range Insertion Title */ "New IP or IP Range" = "新しい IP または IP 範囲"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "ページ"; -/* No comment provided by engineer. */ -"Page Link" = "ページのリンク"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "ページが下書きに復元されました"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "プラグイン"; +/* An example tag used in the login prologue screens. */ +"Politics" = "政治"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "人気"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "投稿フォーマット"; -/* No comment provided by engineer. */ -"Post Link" = "投稿リンク"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "投稿を下書きとして復元しました。"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "ブロックの表示中に問題が発生しました"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "コンテンツ読み込みに問題がありました"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "サイトの読み込みに問題がありました"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "サイト読み込みエラー"; - /* No comment provided by engineer. */ "Problem opening the audio" = "音声を開く際にエラーが発生しました"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "投稿リビジョン"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "巻き戻し"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "サイトの巻き戻し"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "%@まで巻き戻しています"; - /* Post Rich content */ "Rich Content" = "リッチコンテンツ"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "右"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "今週のロックンロール"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "この投稿をブックマークする。"; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "下書きの保存"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "投稿を保存中…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "位置情報を検索"; -/* No comment provided by engineer. */ -"Search Settings" = "検索設定"; - /* Label for list of search term */ "Search Term" = "検索キーワード"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "WordPress で\nサイトまたは投稿を検索"; +/* No comment provided by engineer. */ +"Search block" = "検索ブロック"; + +/* No comment provided by engineer. */ +"Search blocks" = "検索ブロック"; + /* No comment provided by engineer. */ "Search or type URL" = "検索または URL を入力"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri のショートカット候補を削除"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "サイト"; + /* Accessibility label for site icon button */ "Site Icon" = "サイトアイコン"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "ご指定のサイトアドレスはご利用いただけません。"; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "コンテンツを読み込めませんでした。"; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "ソーシャルサービスで、共有に使用可能なアカウントを確認できませんでした。"; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "ストリームを読み込めませんでした。"; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "検索結果を読み込めませんでした。"; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "サポート"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "ブログを切り替える"; - /* Button used to switch site */ "Switch Site" = "サイト切り替え"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "ブロックエディターに切り替える"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "旧エディターに切り替える"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "見出し1のフォントサイズに変更する"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "タグ"; -/* No comment provided by engineer. */ -"Tag Link" = "タグリンク"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "タグはすでに存在します"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "トラフィック"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "%sを変換:"; + +/* No comment provided by engineer. */ +"Transform block…" = "ブロックを変換…"; + /* No comment provided by engineer. */ "Translate" = "翻訳"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "画像を読み込めません。別の画像を選択するか、後でもう一度お試しください。"; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "現在このページを読み込めません。"; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web 表示設定"; +/* Example Reader feed title */ +"Web News" = "ウェブニュース"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "週の最初の曜日"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "チェックリストを修正しました"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "カスタムアプリのアイコンを新しく更新しました。新しいスタイル10個から選択できますが、もしこれまでのアイコンのほうがお好みでしたらそのまま使用することもできます。"; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "WordPress アプリについてどう思いますか ?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "このファイルで行う操作:アップロードし、そのファイルへのリンクを投稿に追加するか、ファイルのコンテンツを直接投稿を追加しますか ?"; +/* No comment provided by engineer. */ +"What is alt text?" = "代替テキストとは ?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "問題は何でしたか ?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "投稿をするにはアカウントを認証してください。\n現在の投稿は下書きとして保存されますので、消える事はありません。"; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "今日サイトで50回「いいね」されました"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "最近この投稿に変更を加えましたが、それを保存していません。読み込むバージョンを選択してください。\n\nこの端末から\n%1$@に保存\n\n別の端末から\n%2$@に保存\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "リストから消したいものがありますか ?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "ダブルタップして単位を変更"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例「1122334455」"; diff --git a/WordPress/Resources/ko.lproj/Localizable.strings b/WordPress/Resources/ko.lproj/Localizable.strings index 1a8679c9b3b5..c474e1e2e1e3 100644 --- a/WordPress/Resources/ko.lproj/Localizable.strings +++ b/WordPress/Resources/ko.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d개의 보지 않은 글"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s 현재 값은 %2$s입니다."; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(제목 없음)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ 새 메뉴 추가"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1시간"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "\"더 보기\" 버튼에는 공유 버튼을 표시하는 드롭다운이 있습니다."; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "파일에 악성 코드 패턴이 있음"; -/* No comment provided by engineer. */ -"A link to a URL." = "URL 링크입니다."; - -/* No comment provided by engineer. */ -"A link to a category." = "카테고리 링크입니다."; - -/* No comment provided by engineer. */ -"A link to a page." = "페이지 링크입니다."; - -/* No comment provided by engineer. */ -"A link to a post." = "글 링크입니다."; - -/* No comment provided by engineer. */ -"A link to a tag." = "태그 링크입니다."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "이 계정의 사이트 목록"; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "이 앱은"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "내 소개"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "계정 이미지 추가"; +/* No comment provided by engineer. */ +"Add alt text" = "대체 텍스트 추가하기"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "모든 토픽 추가하기"; -/* No comment provided by engineer. */ -"Add button text" = "추가 버튼 텍스트"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "새 계정을 나타내는 이미지 또는 아바타를 추가합니다."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "사이트를 %1$@(으)로 다시 복원하시겠어요? 이렇게 하면 이 날짜 이후로 만들거나 변경한 콘텐츠와 옵션이 제거됩니다."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "사이트를 %@(으)로 다시 복원하시겠어요?\n해당 시점 이후에 변경한 모든 내용이 손실됩니다."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "임시글로 저장하시겠습니까?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "업데이트하시겠습니까?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "2018년 8월 1일 현재, 페이스북은 더 이상 페이스북 프로필에 직접 글 공유를 허용하지 않습니다. 페이스북 페이지에 대한 연결은 그대로 유지됩니다."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "미디어 업로드 취소"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "공유 취소"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "카테고리"; -/* No comment provided by engineer. */ -"Category Link" = "카테고리 링크"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "카테고리 제목 없음."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "도메인 선택하기"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "테마 선택"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "이전 활동 기록 지우기"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "검색 내역 삭제"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "정보 수집"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "사진, 비디오, 그리고 문자를 조합하여 방문자에게 매력적이고 좋아할 수 있는 탭할 수 있는 이야기 글을 만드세요."; @@ -1455,7 +1461,6 @@ "Configure" = "환경설정"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "확인"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple 로 계속하기"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "복사된 블록"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "새 사이트 생성"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "페이지 만들기"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "거부하기"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "블록을 추가하려면 두 번 탭하세요."; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "슬라이더를 사용하여 값을 변경하려면 두 번 탭하세요."; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "두 번 눌러 무시하기"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "미디어 내보내기 실패"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "오디오 파일 삽입에 실패했습니다. 옵션을 보려면 누르세요."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "미디어 삽입에 실패했습니다.\n 옵션을 보려면 탭하세요."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "토픽 따르기"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "좋아하는 사이트를 팔로우하고 새 블로그를 검색하세요."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "좋아하는 사이트를 팔로우하고 새 읽을 거리를 발견하세요."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "태그를 팔로우합니다."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "편의를 위해 워드프레스닷컴 연락처 정보를 미리 채웠습니다. 이 도메인에 사용하려는 정보가 정확한지 검토하여 확인하세요."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "갤러리 캡션. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "일반"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "좌측"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "지원"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "밝음"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "댓글을 휴지통으로 이동"; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "내 프로필"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "새 차단 목록 단어"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "새 IP 또는 IP 범위"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "페이지"; -/* No comment provided by engineer. */ -"Page Link" = "페이지 링크"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "페이지를 원본으로 복원"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "플러그인"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "인기순"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "글 형식"; -/* No comment provided by engineer. */ -"Post Link" = "글 링크"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "글이 임시글 목록으로 복원됨"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "블록 표시 문제"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "사이트 로드 중 문제 발생"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "스트림을 로드하는 데 문제 발생"; - /* No comment provided by engineer. */ "Problem opening the audio" = "오디오 열기 문제"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "수정"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "되돌리기"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "사이트 되돌리기"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "%@(으)로 되돌리는 중"; - /* Post Rich content */ "Rich Content" = "리치 콘텐츠"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "우측"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "나중에 사용할 수 있게 이 글 저장"; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "글을 저장하는 중…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "검색 위치"; -/* No comment provided by engineer. */ -"Search Settings" = "설정 검색"; - /* Label for list of search term */ "Search Term" = "검색어"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "사이트나 게시물을 위한\n워드프레스 검색"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "검색하거나 URL 입력하기"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri 단축키 제안 지우기"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "사이트 아이콘"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "죄송합니다. 해당 사이트 주소는 사용할 수 없습니다."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "죄송합니다. 소셜 서비스에서 공유에 사용할 수 있는 계정을 알려주지 않았습니다."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "죄송합니다. 스트림을 가져올 수 없습니다."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "죄송합니다. 검색 결과를 로드할 수 없습니다."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "지원"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "블로그 전환:"; - /* Button used to switch site */ "Switch Site" = "사이트 전환"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "블록 편집기로 전환"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "클래식 편집기로 전환"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "제목 1 글꼴 크기로 전환"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "태그"; -/* No comment provided by engineer. */ -"Tag Link" = "태그 링크"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "태그가 이미 존재합니다."; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "트래픽"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "번역"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "이미지를 로드할 수 없습니다. 다른 이미지를 선택하거나 나중에 다시 시도하세요."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "지금 이 콘텐츠를 로드할 수 없습니다."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "웹 표시 설정"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "시작 요일"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "회원님의 체크리스트에 몇 가지 변경 사항이 있습니다."; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "WordPress를 어떻게 생각하시나요?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "이 파일로 무엇을 하고 싶으신가요? 파일을 업로드하고 파일의 링크를 글에 추가하거나, 파일 콘텐츠를 글에 직접 추가하시겠습니까?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "게시물을 게시하려면 먼저 계정을 확인해야 합니다.\n걱정하지 마세요. 작성한 게시물은 안전하게 임시글로 저장됩니다."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\n이 장치에서\n다음으로 저장됨 %1$@\n\n다른 장치에서\n다음으로 저장됨 %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "목록에서 끝난 일을 지우는 건 항상 기분 좋은 일이죠."; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "예: 1122334455"; diff --git a/WordPress/Resources/nb.lproj/Localizable.strings b/WordPress/Resources/nb.lproj/Localizable.strings index 35594a604cd9..5e6e1ffa2f61 100644 --- a/WordPress/Resources/nb.lproj/Localizable.strings +++ b/WordPress/Resources/nb.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2020-11-25 22:26:26+0000 */ +/* Translation-Revision-Date: 2021-04-23 11:29:53+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: nb_NO */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Nåværende verdi er %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(ingen tittel)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Legg til ny meny"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 time"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "En \"mer\"-knapp inneholder en nedtrekksmeny som viser deleknapper"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "En oversiktover nettsteder under denne kontoen."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Om"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Om meg"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Legg til kontobilde."; +/* No comment provided by engineer. */ +"Add alt text" = "Legg til alt-tekst"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Legg ethvert emne"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Legger til bilde, eller avatar, for å representere den nye kontoen."; @@ -579,10 +576,10 @@ "Allow this connection to be used by all admins and users of your site." = "Tillat at denne tilkoblingen brukes av alle administratorer og brukere på siden din."; /* Allowlisted IP Addresses Title */ -"Allowlisted IP Addresses" = "Allowlisted IP Addresses"; +"Allowlisted IP Addresses" = "Alltid tillatte IP-adresser"; /* Jetpack Settings: Allowlisted IP addresses */ -"Allowlisted IP addresses" = "Allowlisted IP addresses"; +"Allowlisted IP addresses" = "Alltid tillatte IP-adresser"; /* Instructions for users with two-factor authentication enabled. */ "Almost there! Please enter the verification code from your authenticator app." = "Nesten fremme! Skriv inn verifiseringskoden fra autentiseringsappen din."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Er du sikker på at du vil lagre som kladd?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Er du sikker på at du vil oppdatere?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Fra 1. august 2018 tillater ikke Facebook lenger direkte deling av innlegg til Facebook-profiler. Tilkoblinger til Facebook-sider forblir derimot uendret."; @@ -932,14 +929,14 @@ "Block settings" = "Blokkinnstillinger"; /* The title of a button that triggers blocking a site from the user's reader. */ -"Block this site" = "Block this site"; +"Block this site" = "Blokker dette nettstedet"; /* Notice title when blocking a site succeeds. */ "Blocked site" = "Blocked site"; /* Blocklist Title Settings: Comments Blocklist */ -"Blocklist" = "Blocklist"; +"Blocklist" = "Blokkeringsliste"; /* Opens the WordPress Mobile Blog */ "Blog" = "Blogg"; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Avbryt mediaopplastning"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Avbryt deling"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategoritittel mangler."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Velg et tema"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Slett søkehistorikk"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Samle inn informasjon"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Konfigurer"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Bekreft"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Fortsetter med Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Kopierte blokk"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Opprett en ny side"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Lag side"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Nekte"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Dobbelttrykk for å legge til en blokk"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Dobbelttrykk for å redigere verdien med glidebryter"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Dobbelttrykk for å lukke"; @@ -2209,7 +2218,7 @@ "Edit %@ block" = "Rediger %@-blokk"; /* Blocklist Keyword Edition Title */ -"Edit Blocklist Word" = "Edit Blocklist Word"; +"Edit Blocklist Word" = "Rediger blokkeringslisteord"; /* No comment provided by engineer. */ "Edit Comment" = "Rediger kommentar"; @@ -2226,7 +2235,7 @@ "Edit Post" = "Rediger innlegg"; /* No comment provided by engineer. */ -"Edit file" = "Edit file"; +"Edit file" = "Rediger fil"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; @@ -2291,7 +2300,7 @@ /* A placeholder for the username textfield. Invite Username Placeholder */ -"Email or Username…" = "Email or Username…"; +"Email or Username…" = "E-post eller brukernavn..."; /* Overlay message displayed when export content started */ "Email sent!" = "Epost sendt!"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Kunne ikke sette inn medie.\nTrykk for flere valg."; @@ -2676,17 +2691,15 @@ "Follow other sites" = "Følg andre nettsteder"; /* Verb. An option to follow a site. */ -"Follow site" = "Follow site"; +"Follow site" = "Følg nettsted"; /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For enkelhets skyld har vi fylt inn kontaktinformasjonen fra din WordPress.com-konto. Dobbeltsjekk om det er denne informasjonen du vil bruke for dette domenet."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galleritekst. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Generelt"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Venstre"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "La oss hjelpe"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Lys"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3454,7 +3479,7 @@ "Loading Scan History..." = "Loading Scan History..."; /* Text displayed while loading the scan section for a site */ -"Loading Scan..." = "Loading Scan..."; +"Loading Scan..." = "Laster inn skanning…"; /* Shown while the app waits for the domain suggestions web service to return during the site creation process. */ "Loading domains" = "Laster inn domener"; @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Flytter kommentaren til søppelkassen."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Min profil"; @@ -3866,7 +3894,10 @@ "New" = "Nye"; /* Blocklist Keyword Insertion Title */ -"New Blocklist Word" = "New Blocklist Word"; +"New Blocklist Word" = "Nytt blokkeringslisteord"; + +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Ny IP eller IP-område"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Side"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Side tilbakestilt til Kladd"; @@ -4492,7 +4520,7 @@ "Photo Library" = "Bildebibliotek"; /* Tab bar title for the Photos tab in Media Picker */ -"Photos" = "Photos"; +"Photos" = "Fotografier"; /* Subtitle for placeholder in Free Photos. The company name 'Pexels' should always be written as it is. */ "Photos provided by Pexels" = "Bilder levert av Pexels"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Utvidelser"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Populære"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Innleggsformat"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Innlegg tilbakestilt til Kladd"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem under visning av blokk"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem med å laste nettsteder"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem under lasting av strøm"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revisjon"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Spol tilbake"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Spol tilbake nettsiden"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Spoler tilbake til %@"; - /* Post Rich content */ "Rich Content" = "Rikt innhold"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Høyre"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Lagrer dette innlegget til senere."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Lagrer kladd"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Lagrer innlegg..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Søk plasseringer"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Søkeuttrykk"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Søk WordPress\nfor et nettsted eller innlegg"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Fjern forslag til Siri-snarveier"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Nettstedsikon"; @@ -5901,7 +5925,7 @@ /* Title for a label that appears when the scan failed Title for the error view when the scan start has failed */ -"Something went wrong" = "Something went wrong"; +"Something went wrong" = "Noe gikk galt"; /* Alert message when `JetpackSiteRef` cannot be initialized from a blog during domain credit redemption. */ "Something went wrong, please try again." = "Noe gikk galt, vennligst prøv igjen."; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Beklager, du kan ikke bruke den nettstedsadressen."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Beklager. Innholdet kunne ikke lastes inn."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Beklager. Det sosiale mediet sa ikke fra om hvilken konto som kan brukes til deling."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Beklager. Strømmen kunne ikke lastes inn."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Beklager. Dine søkeresultater kunne ikke lastes inn."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Bytt blogg"; - /* Button used to switch site */ "Switch Site" = "Bytt nettsted"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Bytt til blokkredigering"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Bytt til klassisk redigering"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Bytter til Heading 1-skrifttypestørrelsen"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Stikkord"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Stikkord eksisterer allerede"; @@ -6511,7 +6526,7 @@ "There was a problem when trying to access your media. Please try again later." = "Det oppstod et problem under forsøk på å få tilgang til dine medier. Vennligst prøv igjen senere."; /* Message for stories unknown error. */ -"There was a problem with the Stories editor. If the problem persists you can contact us via the Me > Help & Support screen." = "There was a problem with the Stories editor. If the problem persists you can contact us via the Me > Help & Support screen."; +"There was a problem with the Stories editor. If the problem persists you can contact us via the Me > Help & Support screen." = "Det oppstod er problem under følging av nettstedet. Hvis problemer fortsetter kan du kontakte oss via Meg > Hjelp og støtte-skjermen."; /* Text displayed when there is a failure changing the password. Text displayed when there is a failure loading the history. */ @@ -6590,7 +6605,7 @@ "This information helps us improve our products, make marketing to you more relevant, personalize your WordPress.com experience, and more as detailed in our privacy policy." = "Denne informasjonen hjelper oss med å forbedre produktere våre, gjøre markedsføring mer relevant, personliggjøre din WordPress.com-opplevelse og mer, som detaljert i våre retningslinjer for personvern."; /* Select domain name. Subtitle */ -"This is where people will find you on the internet." = "This is where people will find you on the internet."; +"This is where people will find you on the internet." = "Dette er hvor folk finner deg på nettet."; /* Message displayed in Media Library if the user attempts to edit a media asset (image / video) after it has been deleted. */ "This media item has been deleted." = "Dette medieobjektet har blitt slettet."; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Trafikk"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Oversett"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Kunne ikke laste inn bildet. Vennligst velg et annet, eller prøv igjen senere."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Kunne ikke laste inn dette innholdet akkurat nå."; @@ -7028,7 +7050,7 @@ "Unfollow %@" = "Avfølg %@"; /* Verb. An option to unfollow a site. */ -"Unfollow site" = "Unfollow site"; +"Unfollow site" = "Slutt å følge nettstedet"; /* Notice title when unfollowing a site succeeds. User unfollowed a site. */ @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Innstillinger for web-visning"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Uken starter med"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Vi har gjort noen endringer i sjekklisten din"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Hva synes du om WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Hva vil du gjøre med denne filen: laste den opp og legge til en lenke til filen i innlegge ditt, eller legge til innholdet i filen direkte i innlegget?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7953,7 +7984,7 @@ "You hit a milestone 🚀" = ""; /* Text rendered at the bottom of the Allowlisted IP Addresses editor, should match Calypso. */ -"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100."; +"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "Du kan legge en IP-adresse eller serier med adresses på tillatlisten for å forhindre at de blir blokkert av Jetpack. IPv4 og IPv6 aksepteres. For å spesifisere et utvalg, skriv inn den laveste og høyeste verdien med bindestrek mellom. Eksemepel: 12.12.12.1-12.12.12.100."; /* A suggestion of topics the user might like */ "You might like" = "Du vil kanskje like"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Du må verifisere kontoen din før du kan publisere et innlegg.\nIkke vær redd, innlegget ditt har det trygt og godt, og vil bli lagret som en kladd."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Du gjorde nylig endringer i dette innlegget, men lagret dem ikke. Velg hvilken versjon som skal lastes:\n\nFra denne enheten\nLagret %1$@\n\nFra en annen enhet\nLagret %2$@\n"; @@ -8038,7 +8072,7 @@ "Your restore is taking longer than usual, please check again in a few minutes." = "Din gjenoppretting tar lenger tid enn vanlig, vennligst sjekk igjen om noen få minutter."; /* Body text of alert helping users understand their site address */ -"Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +"Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Sideadressen din vises i adresselinja øverst på skjermen når du besøker siden i Safari."; /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Dit nettsted er opprettet!"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "er det ikke deilig å kunne huke av ting på en liste?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "f.eks. 12345678"; diff --git a/WordPress/Resources/nl.lproj/Localizable.strings b/WordPress/Resources/nl.lproj/Localizable.strings index 351830da7ea7..5e774ad6503a 100644 --- a/WordPress/Resources/nl.lproj/Localizable.strings +++ b/WordPress/Resources/nl.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-30 20:12:06+0000 */ +/* Translation-Revision-Date: 2021-04-20 13:39:16+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: nl */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ongeziene berichten"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Huidige waarde is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s getransformeerd naar %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@ %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(Geen titel)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johan Brandt* antwoordde op je bericht"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked je bericht"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Nieuw menu toevoegen"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 uur"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Een \"meer\" knop bevat een dropdown met sharing knoppen"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Een bestand bevat een kwaadaardig codepatroon"; -/* No comment provided by engineer. */ -"A link to a URL." = "Een link naar een URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Een link naar een categorie."; - -/* No comment provided by engineer. */ -"A link to a page." = "Een link naar een pagina."; - -/* No comment provided by engineer. */ -"A link to a post." = "Een link naar een bericht."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Een link naar een tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Een lijst van sites op dit account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Over"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "Over Jetpack voor iOS"; + /* My Profile 'About me' label */ "About Me" = "Over mij"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Voeg accountafbeelding toe."; +/* No comment provided by engineer. */ +"Add alt text" = "Voeg alt-tekst toe"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Voeg elk onderwerp toe"; -/* No comment provided by engineer. */ -"Add button text" = "Voeg knoptekst toe"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Voeg een afbeelding of avatar toe, die bij dit nieuwe account hoort."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Weet je zeker dat je je site wil terugzetten naar %1$@? Dit zal alle inhoud en opties verwijderen die sindsdien gemaakt of gewijzigd zijn."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Weet je zeker dat je je site wil terugzetten naar %@?\nAlles wat je sindsdien hebt veranderd, gaat verloren."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Weet je zeker dat je wilt opslaan als concept?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Weet je zeker dat je wilt updaten?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Kunst"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Vanaf 1 augustus 2018 kunnen berichten niet meer direct op Facebook-profielen worden gedeeld. Koppelingen aan Facebook-pagina's blijven ongewijzigd."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Media-uploads annuleren"; +/* No comment provided by engineer. */ +"Cancel search" = "Zoekopdracht annuleren"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Annuleer delen"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Categorie"; -/* No comment provided by engineer. */ -"Category Link" = "Categorielink"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Categorie titel ontbreekt."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Kies een domein"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Kies een nieuw app pictogram"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Kies een thema"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Wis logboek van alle oude activiteiten?"; +/* No comment provided by engineer. */ +"Clear search" = "Zoekopdracht wissen"; + /* Title of a button. */ "Clear search history" = "Zoekgeschiedenis wissen"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Verzamel informatie"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Kleurrijke achtergronden"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combineer foto's, video's en tekst om boeiende en tikbare verhalen te maken die je bezoekers geweldig zullen vinden."; @@ -1455,7 +1461,6 @@ "Configure" = "Configureren"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Bevestigen"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Ga verder met Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Koken"; + /* No comment provided by engineer. */ "Copied block" = "Gekopieerd blok"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Nieuwe site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Maak pagina"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Weigeren"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Beschrijf het doel van de afbeelding. Laat leeg als de afbeelding puur decoratief is."; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Tik tweemaal om een blok toe te voegen"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Tik tweemaal om de waarde te wijzigen met behulp van de schuifbalk"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Dubbel klikken om te negeren"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Media export mislukt"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Audiobestand invoegen is mislukt."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Invoegen van audiobestand mislukt. Tik voor opties."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Media invoegen is mislukt."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Invoegen media mislukt.\n Tik voor opties."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Volg onderwerpen"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Volg je favoriete sites en ontdek nieuwe blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Volg je favoriete sites en ontdek nieuwe artikelen."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Volgt de tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Voetbal"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "We hebben je contactgegevens van WordPress.com alvast ingevuld om je op weg te helpen. Controleer of dit de juiste gegevens zijn die je voor dit domein wilt gebruiken."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galerij bijschrift. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Tuinieren"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Algemeen"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Links"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Verouderde pictogrammen"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Laat ons je helpen"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Licht"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Lichte achtergronden"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Verplaatst de reactie naar de prullenbak."; +/* An example tag used in the login prologue screens. */ +"Music" = "Muziek"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mijn profiel"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nieuw bloklijst woord"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "Nieuwe aangepaste app pictogrammen"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Nieuw IP of IP-reeks"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagina"; -/* No comment provided by engineer. */ -"Page Link" = "Paginalink"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagina teruggezet naar Concepten"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politiek"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Populair"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Berichtlink"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Bericht teruggezet naar Concepten"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Probleem met tonen blok"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Probleem bij laden inhoud"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Probleem bij laden sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Probleem bij laden van stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Probleem met openen audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revisie"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Terugspoelen"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Site terugspoelen"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Terugzetten naar %@"; - /* Post Rich content */ "Rich Content" = "Verrijkte inhoud"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Rechts"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll wekelijks"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Bewaart dit bericht voor later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Concept opslaan"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Bericht bewaren…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Zoek locaties"; -/* No comment provided by engineer. */ -"Search Settings" = "Zoek instellingen"; - /* Label for list of search term */ "Search Term" = "Zoekterm"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Zoeken op WordPress\nvoor een site of bericht"; +/* No comment provided by engineer. */ +"Search block" = "Zoekblok"; + +/* No comment provided by engineer. */ +"Search blocks" = "Zoek blokken"; + /* No comment provided by engineer. */ "Search or type URL" = "Zoek of typ URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Wis Siri voorgestelde opdrachten"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site icoon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Sorry, je mag dit site adres niet gebruiken."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "De inhoud kon niet worden geladen."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. De social media-service heeft ons niet verteld welk account voor delen kon worden gebruikt."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. De stream kon niet worden geladen."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Jouw zoekresultaten konden niet geladen worden."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Ondersteuning"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Kies blog"; - /* Button used to switch site */ "Switch Site" = "Site wisselen"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Overschakelen naar de blok-editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Overschakelen naar de klassieke editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Wisselt naar de Heading 1 lettergrootte"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag bestaat al"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Verkeer"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformeer %s naar"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformeer blok..."; + /* No comment provided by engineer. */ "Translate" = "Vertaal"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Kan de afbeelding niet laden. Kies een andere of probeer het later opnieuw."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Deze inhoud kan momenteel niet geladen worden."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Webweergave-instellingen"; +/* Example Reader feed title */ +"Web News" = "Webnieuws"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week start op"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We hebben enkele wijzigingen gemaakt aan je checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We hebben onze aangepaste app pictogrammen geüpdatet met een frisse nieuwe look. Er zijn 10 nieuwe stijlen om uit te kiezen, of je kunt gewoon je bestaande pictogram behouden als je dat wilt."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Wat vind je van WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Wat wil je doen met dit bestand? Wil je het uploaden en een link naar het bestand aan je bericht toevoegen of wil je de inhoud van het bestand rechtstreeks aan het bericht toevoegen?"; +/* No comment provided by engineer. */ +"What is alt text?" = "Wat is alt tekst?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Wat was het probleem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Je moet je account verifiëren alvorens je een bericht kan publiceren.\nGeen zorgen, je bericht is veilig en wordt als concept opgeslagen."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "Je ontving *50 likes* op je site vandaag"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Je hebt recent wijzigingen gemaakt in dit bericht, maar nog niet opgeslagen. Kies een versie om te laden:\n\nVan dit apparaat\nOpgeslagen op %1$@\n\nVan een ander apparaat\nOpgeslagen op %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "Voelt het niet goed om dingen af te strepen?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "dubbel tik om de eenheid te wijzigen"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "bijv. 1122334455"; diff --git a/WordPress/Resources/pl.lproj/Localizable.strings b/WordPress/Resources/pl.lproj/Localizable.strings index 85a40e498a5f..876bf4dc01ed 100644 --- a/WordPress/Resources/pl.lproj/Localizable.strings +++ b/WordPress/Resources/pl.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(bez tytułu)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Informacje"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "About Me"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Add alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancel media uploads"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategoria"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Brakuje nazwy kategorii."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Konfiguruj"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirm"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Left"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Strona"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format wpisu"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem loading stream"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Right"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Szukaj lokalizacji"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Sorry, you may not use that site address."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Sorry. The stream could not be loaded."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Support"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Web Display Settings"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/pt-BR.lproj/Localizable.strings b/WordPress/Resources/pt-BR.lproj/Localizable.strings index 37532155c847..ca7079236d89 100644 --- a/WordPress/Resources/pt-BR.lproj/Localizable.strings +++ b/WordPress/Resources/pt-BR.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d posts não visualizados"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Valor atual é %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(sem título)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Adicionar novo menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "menos de 1 hora"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Um botão \"mais\" contém uma lista suspensa que mostra botões de compartilhamento"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Uma lista de sites dessa conta."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Sobre"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Sobre mim"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Adicionar imagem da conta."; +/* No comment provided by engineer. */ +"Add alt text" = "Adicionar texto alternativo"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Adicionar novo tópico"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Adicionar uma imagem ou avatar para representar essa nova conta."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Tem certeza de que deseja salvar como rascunho?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Tem certeza de que deseja atualizar?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "A partir de 1º de agosto de 2018, o Facebook não permite mais o compartilhamento direto de posts em perfis do Facebook. As conexões para as páginas do Facebook permanecem inalteradas."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancelar upload de mídias"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancelar compartilhamento"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta o título da categoria."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Escolha um domínio"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Escolha um tema"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Limpar resumos de atividades antigos?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Limpar histórico de pesquisas"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Coletar informação"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine fotos, vídeos e texto para criar stories clicáveis e com alto engajamento que seus visitantes vão adorar."; @@ -1455,7 +1461,6 @@ "Configure" = "Configurar"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirmar"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Prosseguindo with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Bloco copiado"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Criar novo site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Criar página"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Negar"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Toque duas vezes para adicionar um bloco"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Toque duas vezes para alterar o valor usando um slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Toque duas vezes para dispensar"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Falha ao inserir mídia.\n Toque para opções."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Siga seus sites favoritos e descubra novas leituras."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Segue a tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Para agilizar o processo, nós preenchemos com suas informações de contato do WordPress.com. Verifique os dados para ter certeza de que são os dados corretos a usar com esse domínio."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Legenda da galeria. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Geral"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "À esquerda"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Podemos ajudar você"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Claro"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Move o comentário para a lixeira."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Meu perfil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Novo IP ou faixa de IPs"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Página recuperada dos rascunhos"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato de post"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post restaurado como rascunho"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problema ao exibir o bloco"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problema ao carregar sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problema ao carregar o streaming"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revisão"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Retroceder"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Retroceder site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Retrocedendo pata %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "À direita"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Salvar esse post para depois."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Salvando rascunho"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Salvando o post..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Procurar localizações"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Termos de pesquisa"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Pesquisa no WordPress\npor um site ou post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Pesquisar ou digitar o URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Limpar sugestões de atalhos da Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Ícone do site"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Desculpe, você não pode usar esse endereço de site."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Desculpe. Não fomos informados qual conta poderia ser usada para compartilhamento."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Desculpe. O streaming não pôde ser carregado."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Desculpe. Não foi possível carregar os resultados da pesquisa."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Suporte"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Trocar de blog"; - /* Button used to switch site */ "Switch Site" = "Trocar site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Mudar para o editor de blocos"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Mudar para o editor clássico"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Alterna para o tamanho de cabeçalho 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "A tag já existe"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfego"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Traduzir"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Não foi possível carregar a imagem. Escolha outra ou tente novamente mais tarde."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Não foi possível carregar esse conteúdo no momento."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Configurações de exibição na Web"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Semana começa em"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Fizemos algumas alterações na lista"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "O que você acha do WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "O que você quer fazer com este arquivo: enviá-lo para o site e adicionar um link para o arquivo no seu post ou adicionar o conteúdo do arquivo diretamente no post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Você precisa verificar sua conta antes de poder publicar um post.\nNão se preocupe, seu post está seguro e será salvo como um rascunho."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Alterações foram feitas recentemente no post mas não foram salvas. Escolha a versão para carregar:\n\nDeste dispositivo\nSalva em %1$@\n\nDe outro dispositivo\nSalva em %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "Não é ótimo riscar os itens da lista?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ex. 1112345678"; diff --git a/WordPress/Resources/pt.lproj/Localizable.strings b/WordPress/Resources/pt.lproj/Localizable.strings index 110ff2f11b19..787a4305a9fa 100644 --- a/WordPress/Resources/pt.lproj/Localizable.strings +++ b/WordPress/Resources/pt.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(sem título)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Adicionar novo menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Um botão \"mais\" que contém uma selecção de vários botões de partilha"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Sobre"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Sobre mim"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Adicione texto alternativo (alt)"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Cancelar carregamentos de multimédia"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancelar partilha"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta o título da categoria."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Limpar histórico de pesquisas"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Configurar"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirmar"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Criar página"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Duplo toque para ignorar"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Geral"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Esquerda"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Deixe-nos ajudar"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Move o comentário para o lixo."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "O meu perfil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Página restaurada para os rascunhos."; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato do artigo"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Conteúdo restaurado para os rascunhos."; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problema ao carregar emissão"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revisão"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Direita"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Procurar localizações"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Desculpe mas não pode usar esse endereço de site."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Desculpe, não foi possível carregar a emissão."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Suporte"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Mudar de blog"; - /* Button used to switch site */ "Switch Site" = "Mudar de site"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiqueta"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfego"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Definições de visualização web"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "O que pensa do WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/ro.lproj/Localizable.strings b/WordPress/Resources/ro.lproj/Localizable.strings index 172cc78d9b78..1aae4c657701 100644 --- a/WordPress/Resources/ro.lproj/Localizable.strings +++ b/WordPress/Resources/ro.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-03 05:59:35+0000 */ +/* Translation-Revision-Date: 2021-04-20 07:07:12+0000 */ /* Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ((n == 0 || n % 100 >= 2 && n % 100 <= 19) ? 1 : 2); */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: ro */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articole nevăzute"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Valoarea curentă este %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s a fost transformat în %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s este %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@ %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(fără titlu)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johan Brandt* a răspuns la articolul tău"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* ți-a apreciat articolul"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Adaugă meniu nou"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< o oră"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un buton \"mai mult\" conține o listă desfășurată care afișează butoane de partajare"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Un fișier conține un model de cod care poate crea vulnerabilități"; -/* No comment provided by engineer. */ -"A link to a URL." = "O legătură la un URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "O legătură la o categorie."; - -/* No comment provided by engineer. */ -"A link to a page." = "O legătură la o pagină."; - -/* No comment provided by engineer. */ -"A link to a post." = "O legătură la un articol."; - -/* No comment provided by engineer. */ -"A link to a tag." = "O legătură la o etichetă."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "O listă de situri asociate cu acest cont."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Despre"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "Despre Jetpack pentru iOS"; + /* My Profile 'About me' label */ "About Me" = "Despre mine"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Adaugă o imagine pentru cont."; +/* No comment provided by engineer. */ +"Add alt text" = "Adaugă text alternativ"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Adaugă orice subiect"; -/* No comment provided by engineer. */ -"Add button text" = "Adaugă text în buton"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Adaugă o imagine sau un avatar care să reprezinte acest cont nou."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Sigur vrei să-ți restaurezi situl înapoi la %1$@? Această restaurare va înlătura tot conținutul și opțiunile create sau modificate de atunci."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Sigur vrei să-ți restaurezi situl înapoi la %@?\nToate modificările pe care le-ai făcut de atunci se vor pierde."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Sigur vrei să salvezi ca o ciornă?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Sigur vrei să actualizezi?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Artă"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Începând cu 1 august 2018, Facebook nu mai permite partajarea directă a articolelor în profilurile Facebook. Conexiunile la paginile Facebook rămân neschimbate."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Anulează încărcările media"; +/* No comment provided by engineer. */ +"Cancel search" = "Anulează căutarea"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Anulează partajarea"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Categorie"; -/* No comment provided by engineer. */ -"Category Link" = "Legătură la categorie"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Lipsește titlul categoriei"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Alege un domeniu"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Alege un icon nou pentru aplicație"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Alege o temă"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Ștergi toate jurnalele de activități vechi?"; +/* No comment provided by engineer. */ +"Clear search" = "Șterge căutarea"; + /* Title of a button. */ "Clear search history" = "Șterge istoric căutări"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Colectează informații"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Fundaluri pline de culoare"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combini fotografii, videouri și text pentru a crea articole narațiune captivante pe care vizitatorii tăi le pot citi și cu siguranță le vor îndrăgi."; @@ -1455,7 +1461,6 @@ "Configure" = "Configurare"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Confirmă"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continui cu Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Bucătărie"; + /* No comment provided by engineer. */ "Copied block" = "Bloc copiat"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Creează un sit nou"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Creează o pagină"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Refuză"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Descrie scopul imaginii. Lasă gol dacă imaginea este doar decorativă."; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Atinge de două ori pentru a adăuga un bloc"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Atinge de două ori pentru a modifica valoarea folosind caruselul"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Atinge de două ori pentru a renunța"; @@ -2546,9 +2555,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Exportul media a eșuat"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Inserarea fișierului audio a eșuat."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Inserarea fișierului audio a eșuat. Te rog atinge pentru opțiuni."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Inserarea elementului media a eșuat."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Inserarea media a eșuat.\n Te rog atinge pentru opțiuni."; @@ -2684,12 +2699,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Urmărește subiecte"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Urmărește-ți siturile preferate și descoperi bloguri noi."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Urmărește-ți siturile preferate și descoperi lecturi noi."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2743,6 +2756,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Urmărește eticheta."; +/* An example tag used in the login prologue screens. */ +"Football" = "Fotbal"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pentru comoditate, ți-am completat informațiile de contact din WordPress.com. Te rog să le verifici pentru a te asigura că sunt informațiile corecte pe care vrei să le folosești pentru acest domeniu."; @@ -2779,6 +2795,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Text asociat galerie. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Grădinărit"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "General"; @@ -3343,6 +3362,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Stânga"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Iconuri vechi"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Lasă-ne să ajutăm"; @@ -3352,6 +3374,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Luminoasă"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Fundaluri luminoase"; + /* Like (verb) Like a post. Likes a Comment @@ -3813,6 +3838,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Mută comentariul la gunoi."; +/* An example tag used in the login prologue screens. */ +"Music" = "Muzică"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Profilul meu"; @@ -3871,6 +3899,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Cuvânt nou în Lista blocări"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "Iconuri noi și personalizate pentru aplicație"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "IP nou sau interval nou de IP-uri"; @@ -4374,9 +4405,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagină"; -/* No comment provided by engineer. */ -"Page Link" = "Legătură la pagină"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagină restaurată la ciorne"; @@ -4652,6 +4680,9 @@ Title for the plugin directory */ "Plugins" = "Module"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politică"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popular"; @@ -4670,9 +4701,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format articol"; -/* No comment provided by engineer. */ -"Post Link" = "Legătură la articol"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Articol restaurat la schiță"; @@ -4848,12 +4876,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problemă la afișarea blocului"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problemă la încărcarea conținutului"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problemă la încărcarea siturilor"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problemă de încărcare flux"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problemă la deschiderea fișierul audio"; @@ -5288,22 +5316,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revizii"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Derulează înapoi"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Derulează înapoi situl"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Derulez înapoi la %@"; - /* Post Rich content */ "Rich Content" = "Conținut bogat"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Dreapta"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock and Roll în fiecare săptămână"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5363,9 +5384,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Salvează acest articol pentru mai târziu."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Salvez ciorna"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Salvez articolul..."; @@ -5427,9 +5445,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Caută locații"; -/* No comment provided by engineer. */ -"Search Settings" = "Setări căutare"; - /* Label for list of search term */ "Search Term" = "Termen de căutare"; @@ -5442,6 +5457,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Caută în WordPress\nun sit sau un articol"; +/* No comment provided by engineer. */ +"Search block" = "Bloc Căutare"; + +/* No comment provided by engineer. */ +"Search blocks" = "Caută blocuri"; + /* No comment provided by engineer. */ "Search or type URL" = "Caută sau tastează URL-ul"; @@ -5806,6 +5827,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Șterge sugestiile scurtăturilor de la Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Sit"; + /* Accessibility label for site icon button */ "Site Icon" = "Icon sit"; @@ -5971,12 +5995,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Regret, nu poți folosi acea adresă de sit."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Regret. Acest sit nu a putut fi încărcat."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Regretăm. Serviciul social nu ne-a spus care cont ar putea fi folosit pentru partajare."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Regret. Acest sit n-a putut fi încărcat."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Regret. Rezultatele tale de căutare nu au putut fi încărcate."; @@ -6112,9 +6136,6 @@ View title for Support page. */ "Support" = "Suport"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Comută blog"; - /* Button used to switch site */ "Switch Site" = "Comutare sit"; @@ -6133,9 +6154,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Comută la editorul de blocuri"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Comută la editorul clasic"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Comută la dimensiune font Subtitlu 1"; @@ -6176,9 +6194,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etichetă"; -/* No comment provided by engineer. */ -"Tag Link" = "Legătură la etichetă"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Eticheta există deja"; @@ -6773,6 +6788,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Trafic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformă %s în"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformă blocul..."; + /* No comment provided by engineer. */ "Translate" = "Tradu"; @@ -6919,6 +6940,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Nu pot încărca imaginea. Te rog alege alta sau reîncearcă mai târziu."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Nu pot să încarc acest conținut chiar acum."; @@ -7631,6 +7653,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Setări afișare web"; +/* Example Reader feed title */ +"Web News" = "Știri pe web"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Săptămâna începe"; @@ -7680,12 +7705,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Am făcut câteva modificări în lista de verificări"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "Am actualizat iconurile personalizate pentru aplicație, au un alt aspect. Poți alege din 10 stiluri noi sau, dacă nu vrei, poți păstra iconul existent."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Ce vrezi despre WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Ce vrei să faci cu acest fișier: îl încarci și adaugi o legătură la fișier în articolul tău sau adaugi conținutul fișierului direct în articol?"; +/* No comment provided by engineer. */ +"What is alt text?" = "Ce este textul alternativ?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Care a fost problema?"; @@ -7967,6 +7998,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Trebuie să-ți confirmi contul înainte de a putea publica un articol.\nNu face griji, articolul tău este în siguranță și va fi salvat ca o ciornă."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "Azi ai primit *50 de aprecieri* pe sit"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Ai făcut recent modificări la acest articol, dar nu le-ai salvat. Alege o versiune pentru a o încărca:\n\nDe pe acest dispozitiv\nSalvată pe %1$@\n\nDe pe alt dispozitiv\nSalvată pe %2$@\n"; @@ -8118,6 +8152,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "nu te simți bine când bifezi lucrurile dintr-o listă?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "atinge de două ori pentru a schimba unitatea"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "de exemplu, 1122334455"; diff --git a/WordPress/Resources/ru.lproj/Localizable.strings b/WordPress/Resources/ru.lproj/Localizable.strings index 77e03c81dc95..fda20defaf24 100644 --- a/WordPress/Resources/ru.lproj/Localizable.strings +++ b/WordPress/Resources/ru.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-25 13:03:39+0000 */ +/* Translation-Revision-Date: 2021-04-21 06:28:42+0000 */ /* Plural-Forms: nplurals=3; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : ((n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14)) ? 1 : 2); */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: ru */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d непросмотренных записей"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Текущее значение - %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "Блок %1$s преобразован в %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s - %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(без заголовка)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Александр Петров* ответил на вашу запись"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Юля Петрова* отмечает вашу запись как понравившуюся"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Добавить новое меню"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "менее 1 часа"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "При нажатии на кнопку «Ещё» открывается список кнопок «Поделиться»"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Файл содержит элемент вредоносного кода"; -/* No comment provided by engineer. */ -"A link to a URL." = "Ссылка на URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Ссылка на рубрику."; - -/* No comment provided by engineer. */ -"A link to a page." = "Ссылка на страницу."; - -/* No comment provided by engineer. */ -"A link to a post." = "Ссылка на запись."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Ссылка на метку."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Список сайтов на этой учётной записи."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "О нас"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "О Jetpack для iOS"; + /* My Profile 'About me' label */ "About Me" = "Обо мне"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Добавить изображение учетной записи"; +/* No comment provided by engineer. */ +"Add alt text" = "Добавить атрибут alt"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Добавьте любую тему"; -/* No comment provided by engineer. */ -"Add button text" = "Добавить текст кнопки"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Добавьте изображение (или аватар) для представления этой новой учетной записи."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Вы уверены, что хотите откатить ваш сайт назад на %1$@? Вы потеряете все изменения в содержимом и настройки, сделанные после этого времени."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Вы уверены, что хотите восстановить ваш сайт на %@?\nВсе изменения после этой даты будут потеряны."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Вы точно хотите сохранить как черновик?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Вы точно хотите обновить?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Искусство"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "C 01.08.2018 Facebook более не разрешает напрямую делиться записями в профили Facebook. Связи со страницами FB останутся неизмененными."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Отменить загрузки медиафайлов"; +/* No comment provided by engineer. */ +"Cancel search" = "Отменить поиск"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Отменить поделиться"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Рубрика"; -/* No comment provided by engineer. */ -"Category Link" = "Ссылка на рубрику"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Отсутствует название рубрики."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Выбрать домен"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Выберите новый значок приложения"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Выберите тему"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Очистить старые журналы активности?"; +/* No comment provided by engineer. */ +"Clear search" = "Очистить поиск"; + /* Title of a button. */ "Clear search history" = "Очистить историю поиска"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Сбор информации"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Цветные фоны"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Комбинируйте фото, видео и текст для создания захватывающих историй с переходами, они обязательно полюбятся вашим посетителям."; @@ -1455,7 +1461,6 @@ "Configure" = "Настроить"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Подтвердить"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Продолжение через Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Кулинария"; + /* No comment provided by engineer. */ "Copied block" = "Скопированный блок"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Создать новый сайт"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Создать страницу"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Отклонить"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Опишите назначение изображения. Оставьте пустым, если изображение является только элементом декора."; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Нажмите дважды для добавления блока"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Нажмите дважды и измените значение используя ползунок"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Дважды коснитесь, чтобы отключить"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Экспорт медиа неудачен"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Не удалось вставить аудиофайл."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Невозможно вставить аудиозапись. Нажмите для выбора вариантов."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Не удалось вставить медиафайл."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Ошибка вставки медиафайла.\n Нажмите для дополнительных возможностей."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Подписаться на темы"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Подписывайтесь на избранные сайты и находите новые блоги."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Подписывайтесь на избранные сайты и находите новое чтиво."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Подписаться на метку."; +/* An example tag used in the login prologue screens. */ +"Football" = "Футбол"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Для вашего удобства, мы заполнили вашу контактную информацию WordPress.com. Пожалуйста, перепроверьте её на корректность, действительно ли вы хотите использовать её для этого домена."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Подпись галереи. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Садоводство"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Общие"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Слева"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Старые значки"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Обратитесь к нам за помощью."; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Светлое оформление"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Светлые фоны"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Отправить комментарий в «Корзину»."; +/* An example tag used in the login prologue screens. */ +"Music" = "Музыка"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Мой профиль"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Новое слово из черного списка"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "Новые пользовательские значки приложения"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Создать IP-адрес или диапазон IP-адресов"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Страница"; -/* No comment provided by engineer. */ -"Page Link" = "Ссылка на страницу"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Страница восстановлена в списке \"Черновики\""; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Плагины"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Политика"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Популярное"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Формат записи"; -/* No comment provided by engineer. */ -"Post Link" = "Ссылка записи"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Запись восстановлена и перемещена в черновики"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Проблема отображения блока"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Проблема при загрузке содержимого"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Проблема при загрузке сайтов"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Не удалось загрузить сайт"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Проблема с открытием аудио"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Редакция"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Вернуть"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Откатить сайт"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Откат к %@"; - /* Post Rich content */ "Rich Content" = "Форматированное содержимое"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Справа"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Еженедельный рок-н-ролл"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Сохраняет эту запись на потом."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Сохранение черновика"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Сохранение записи..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Поиск местоположений"; -/* No comment provided by engineer. */ -"Search Settings" = "Настройки поиска"; - /* Label for list of search term */ "Search Term" = "Поиск"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Искать в WordPress\nсайт или запись"; +/* No comment provided by engineer. */ +"Search block" = "Блок поиска"; + +/* No comment provided by engineer. */ +"Search blocks" = "Блоки поиска"; + /* No comment provided by engineer. */ "Search or type URL" = "Введите поисковый запрос или URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Очистить предложения ярлыков Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Сайт"; + /* Accessibility label for site icon button */ "Site Icon" = "Значок сайта"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Извините, этот адрес сайта нельзя использовать."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Извините, не удалось загрузить содержимое."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Извините. Социальная сеть не сообщила нам с какой учетной записи нужно делиться."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Извините, не удалось загрузить сайт."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Извините, ваши результаты поиска не могут быть загружены."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Поддержка"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Сменить блог"; - /* Button used to switch site */ "Switch Site" = "Сменить сайт"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Переключиться на редактор блоков"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Переключиться к классическому редактору"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Переход к размеру шрифта Heading 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Метка"; -/* No comment provided by engineer. */ -"Tag Link" = "Ссылка на метку"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Метка уже существует"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Трафик"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Преобразовать %s в"; + +/* No comment provided by engineer. */ +"Transform block…" = "Преобразовать блок..."; + /* No comment provided by engineer. */ "Translate" = "Перевести"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Не удалось загрузить изображение. Выберите другое или повторите попытку."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Сейчас невозможно загрузить это содержимое."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Настройки отображения в Интернете"; +/* Example Reader feed title */ +"Web News" = "Новости веб"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "День начала недели"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Мы внесли некоторые изменения в ваш список"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "Мы обновили наши пользовательские значки приложений, придав им новый вид. Есть 10 новых стилей на выбор, или вы можете просто сохранить существующий значок, если хотите."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Каково ваше мнение о WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Что вы хотите сделать с файлом? Загрузить и добавить ссылку на файл в записи или добавить содержимое прямо в запись?"; +/* No comment provided by engineer. */ +"What is alt text?" = "Что такое текст alt?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "В чем была проблема?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Вы должны подтверить вашу учетную запись перед публикацией записи.\nНе волнуйтесь, ваша запись в безопасности и сохранена как черновик."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "Вы сегодня получили *50 отметок \"нравится\"* на сайте"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Вы внесли, но не сохранили изменения в эту запись. Выберите вариант для загрузки:\n\nС этого устройства\nСохранено %1$@\n\nС другого устройства\nСохранено %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "не правда ли, хорошо выбирать вещи из списка?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "нажмите дважды для смены единиц"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "например: 1122334455"; diff --git a/WordPress/Resources/sk.lproj/Localizable.strings b/WordPress/Resources/sk.lproj/Localizable.strings index c5141f04ad21..fd3a1963406c 100644 --- a/WordPress/Resources/sk.lproj/Localizable.strings +++ b/WordPress/Resources/sk.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(bez názvu)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Pridať nové menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tlačidlo \"Viac\" obsahuje rozbaľovací zoznam, ktorý zobrazuje tlačidlá zdieľania"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "O"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "O mne"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "Pridať alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Naozaj chcete uložiť ako koncept?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Naozaj chcete aktualizovať?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Od 1. augusta 2018 spoločnosť Facebook už neumožňuje priame zdieľanie príspevkov na profily služby Facebook. Pripojenia na stránky Facebooku zostávajú nezmenené."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Zrušiť nahrávanie súborov"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Zdieľanie zrušenia"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategória"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Chýba názov kategórie."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Vyberte tému"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Zmazať históriu vyhľadávania"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Zbierať informácie"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "Konfigurovať"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Potvrdiť"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Vytvoriť novú webovú stránku"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Dvojklikom odmietnete"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Chyba pri nahrávaní súboru.\nKliknutím otvoríte nastavenia."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Všeobecné"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Vľavo"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Pomôžeme"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Presunúť komentár do koša."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Môj profil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Nová IP adresa alebo rozsah IP adries"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Stránka"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Stránka obnovená do konceptov"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Pluginy"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Populárne"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Pridať formát"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Článok obnovený ako koncept"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problém s načítavaním stránok"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problém pri načítavaní vysielania"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Naspäť"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Posunúť dozadu webovú stránku"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Posúvanie dozadu na %@"; - /* Post Rich content */ "Rich Content" = "Bohatý obsah"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Vpravo"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Uložiť tento príspevok na neskôr."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Článok sa ukladá..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Hľadanie polohy"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Prehľadávať WordPress\npre webovú stránku alebo príspevok"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Ospravedlňujeme sa, adresu tejto webovej stránky nemôžete použiť."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Prepáčte. Sociálna služba nám neuviedla, ktorý účet sa dá použiť na zdieľanie."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Ľutujeme. Stránku sa nepodarilo načítať."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Prepáčte. Výsledky vyhľadávania sa nedajú načítať."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Podpora"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Zmeniť blog"; - /* Button used to switch site */ "Switch Site" = "Prepnúť webovú stránku"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Prepnúť na veľkosť písma Nadpis 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Značka"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Značka už existuje"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Prenos"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Nepodarilo sa načítať obrázok. Prosím vyberte iný alebo pokus zopakujte neskôr."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Nastavenia obrazovky webu"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Týždeň začína v"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Čo si myslíte o WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Čo chcete urobiť s týmto súborom: nahrať ho a pridať odkaz na súbor do vášho príspevku, alebo pridať obsah súboru priamo do príspevku?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Potrebujete overiť účet skôr ako zverejníte článok. \nNemajte obavy, článok sa uloží ako koncept."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "Je to dobrý pocit odškrtávať veci zo zoznamu?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/sq.lproj/Localizable.strings b/WordPress/Resources/sq.lproj/Localizable.strings index d1d3aea3cc19..a6439ba13eb5 100644 --- a/WordPress/Resources/sq.lproj/Localizable.strings +++ b/WordPress/Resources/sq.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d postime të papara"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Vlera e tanishme është %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(pa titull)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Shtoni menu të re"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 orë"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Një buton “Më tepër” përmban një menu hapmbyll që shfaq butona ndarjesh me të tjerët"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Një kartelë përmban rregullsi kodi dashakeq"; -/* No comment provided by engineer. */ -"A link to a URL." = "Një lidhje te një URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "Një lidhje për te një kategori."; - -/* No comment provided by engineer. */ -"A link to a page." = "Lidhje për te një faqe."; - -/* No comment provided by engineer. */ -"A link to a post." = "Një lidhje për te një postim."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Një lidhje për te një etiketë."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Një listë sajtesh në këtë llogari."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Mbi"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Rreth Meje"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Shtoni figurë llogarie."; +/* No comment provided by engineer. */ +"Add alt text" = "Shtoni tekst alternativ"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Shtoni çfarëdo teme"; -/* No comment provided by engineer. */ -"Add button text" = "Shtoni tekst butoni"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Shton figurë, ose avatar, që të përfaqësojë këtë llogari të re."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Jeni i sigurt se doni të rikthehet sajti juaj në gjendjen më %1$@? Kjo të sjellë heqjen e krejt lëndës së krijuar apo ndryshuar dhe mundësive të ndryshuara që nga ajo datë."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Jeni i sigurt se doni të rikthehet sajti juaj në gjendjen më %@?\nÇfarëdo gjëje që keni ndryshuar që atëherë, do të humbë."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Jeni i sigurt se doni të ruhet si skicë?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Jeni i sigurt se doni të përditësohet?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Nga 1 Gusht, 2018, Facebook-u nuk lejon më ndarje të drejtpërdrejtë të postimeve në Profile Facebook. Lidhjet te Faqe Facebook mbeten të pandryshuara."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Anulim ngarkimesh media"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Anuloje ndarjen me të tjerët"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Lidhje Kategorie"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Mungon titull kategorie."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Zgjidhni përkatësi"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Zgjidhni një temë"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Të spastrohen krejt regjistrat e vjetër të veprimtarisë?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Spastro historikun e kërkimeve"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Grumbullo të dhëna"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Ndërthurni foto, video dhe tekst, që të krijoni postime shkrimesh tërheqës, që vizitorët tuaj do t’i duan fort."; @@ -1455,7 +1461,6 @@ "Configure" = "Formësojeni"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Ripohojeni"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Po vazhdohet me Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Blloku u kopjua"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Krijoni Sajt të Ri"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Krijoni Faqe"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Mohoje"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Që të shtoni një bllok, prekeni dyfish"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Që ta ndryshoni vlerën duke përdorur rrëshqitësin, prekeni dyfish"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Prekeni dyfish që të hidhet tej"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Eksportimi i Medias Dështoi"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "S’u arrit të futej kartelë audio. Ju lutemi, prekeni për mundësi."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Dështoi në futje mediash.\nJu lutemi, prekeni për mundësi."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Ndiqni tema"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Ndiqni sajtet tuaj të parapëlqyer dhe zbuloni blogje të rinj."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Ndiqni sajtet tuaj të parapëlqyer dhe zbuloni gjëra të reja për të lexuar."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Ndjek etiketën."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Që ta keni më të lehtë, kemi paraplotësuar të dhëna tuajat kontakti WordPress.com. Ju lutemi, shihini, për të qenë të sigurt se janë të dhënat e sakta që doni të përdoren për këtë përkatësi."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Titull galerie. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Të përgjithshme"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Majtas"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Le T’ju Ndihmojmë"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "E çelët"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Shpjere komentin te Hedhurinat."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Profili Im"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Fjalë e Re Liste Bllokimesh"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "IP ose Interval IP-sh i ri"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Faqe"; -/* No comment provided by engineer. */ -"Page Link" = "Lidhje Faqeje"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Faqja u Rikthye te Skicat"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Shtojca"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Popullore"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format Postimesh"; -/* No comment provided by engineer. */ -"Post Link" = "Lidhje Postimi"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Postimi u Rikthye te Skicat"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem me shfaqjen e bllokut"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem në ngarkim sajtesh"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem në ngarkimin e rrjedhës"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem me hapjen e audios"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Rishikim"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rikthim"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Riktheni Sajtin Në Një Datë të Dikurshme"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Po rikthehet te %@"; - /* Post Rich content */ "Rich Content" = "Lëndë e Pasur"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Djathtas"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "E ruan këtë postim për më vonë."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Po ruhet Skicë"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Po ruhet postimi…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Kërkoni Për Vende"; -/* No comment provided by engineer. */ -"Search Settings" = "Rregullime Kërkimi"; - /* Label for list of search term */ "Search Term" = "Term Kërkimi"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Kërkoni në WordPress\npër një sajt apo postim"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Kërkoni ose shtypni URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Pastro Sugjerime Shkurtoresh Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Ikonë Sajti"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Na ndjeni, s’mund të përdorni atë adresë sajti."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Na ndjeni. Shërbimi shoqëror nuk na tregoi cila llogari të përdoret për ndarje me të tjerët."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Na ndjeni. Rrjedha s’u ngarkua dot."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Na ndjeni. Përfundimet e kërkimit tuaj s’u ngarkuan dot."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Asistencë"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Ndërroni Blog"; - /* Button used to switch site */ "Switch Site" = "Këmbe Sajt"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Kalo te përpunuesi me blloqe"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Kalo nën përpunuesin klasik"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Kalohet te madhësia Titull 1 për shkronjat"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiketë"; -/* No comment provided by engineer. */ -"Tag Link" = "Lidhje Etikete"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Ka tashmë një etiketë të tillë"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Përkthejeni"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "S’arrihet të ngarkohet figura. Ju lutemi, zgjidhni një tjetër ose riprovoni më vonë."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "S’arrihet të ngarkohet kjo lëndë këtë çast."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Rregullime Shfaqjeje Web"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Java nis me"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Bëmë ca ndryshime te lista juaj"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Si ju duket WordPress-i?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Ç’doni të bëni me këtë kartelë: të ngarkohet dhe të shtohet te postimi juaj një lidhje për te kartela, apo të shtohet lënda e kartelës drejt e te postimi?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Cili qe problemi?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Lypset të verifikoni llogarinë tuaj përpara se të mund të botoni një postim.\nMos u shqetësoni, postimi juaj është i parrezikuar dhe do të ruhet si një skicë."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Keni bërë së fundi ndryshime te ky postim, por s’i ruajtët. Zgjidhni një version për ngarkim:\n\nPrej kësaj pajisje\nRuajtur më %1$@\n\nNga pajisje tjetër\nRuajtur mën %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "a s’ju kënaq t’i hiqni vizë gjërave në një listë?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "p.sh., 1122334455"; diff --git a/WordPress/Resources/sv.lproj/Localizable.strings b/WordPress/Resources/sv.lproj/Localizable.strings index 7ad1f048b8c3..39981acba810 100644 --- a/WordPress/Resources/sv.lproj/Localizable.strings +++ b/WordPress/Resources/sv.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-25 21:52:34+0000 */ +/* Translation-Revision-Date: 2021-04-23 10:38:41+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: sv_SE */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ej visade inlägg"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Aktuellt värde är %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s omvandat till %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s är %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ – %2$@, %3$@"; @@ -209,13 +209,19 @@ "(No Title)" = "(ingen rubrik)"; /* Menus title label text for a post that has no set title. */ -"(Untitled)" = "(Ingen titel)"; +"(Untitled)" = "(Utan rubrik)"; /* (no title) Lets a user know that a local draft does not have a title. the post has no title. */ "(no title)" = "(ingen rubrik)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Erik S* svarade på ditt inlägg"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Anna S* gillade ditt inlägg"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Lägg till ny meny"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 timme"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Knappen ”mer” innehåller en rullgardinsmeny som visar delningsknappar"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "En fil innehåller ett skadligt kodmönster"; -/* No comment provided by engineer. */ -"A link to a URL." = "En länk till en URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "En länk till en kategori."; - -/* No comment provided by engineer. */ -"A link to a page." = "En länk till en sida."; - -/* No comment provided by engineer. */ -"A link to a post." = "En länk till ett inlägg."; - -/* No comment provided by engineer. */ -"A link to a tag." = "En länk till en etikett."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "En lista med webbplatser på detta konto."; @@ -298,7 +292,7 @@ "A tag named '%@' already exists." = "Det finns redan en etikett med namnet ”%@”."; /* Placeholder text for the title of a site */ -"A title for the site" = "En titel för webbplatsen"; +"A title for the site" = "En rubrik för webbplatsen"; /* An error message. */ "A valid email address is needed to mail an authentication link. Please return to the previous screen and provide a valid email address." = "Det krävs en giltig e-postadress för att skicka en autentiseringslänk. Gå tillbaka till föregående sida och ange en giltig e‑postadress."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Om"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "Om Jetpack för iOS"; + /* My Profile 'About me' label */ "About Me" = "Om mig"; @@ -438,7 +435,7 @@ "Add a self-hosted site" = "Lägg till en webbplats på webbhotell\/egen server"; /* No comment provided by engineer. */ -"Add a shortcode…" = "Lägg till kortkod ..."; +"Add a shortcode…" = "Lägg till en kortkod …"; /* No Tags View Button Label */ "Add a site" = "Lägg till en webbplats"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Lägg till bild för kontot."; +/* No comment provided by engineer. */ +"Add alt text" = "Lägg till alt-text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Lägg till något ämne"; -/* No comment provided by engineer. */ -"Add button text" = "Lägg till knapptext"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Lägg till en bild eller profilbild för att representera detta nya konto."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Är du säker på att du vill återställa din webbplats till %1$@? Detta kommer att ta bort innehåll och inställningar som skapats eller ändrats sedan dess."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Är du säker på att du vill återställa din webbplats till läget från %@?\nAllt du ändrat sedan dess kommer att försvinna."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Är du säker på att du vill spara som utkast?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Är du säker på att du vill uppdatera?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Konst"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Från 1 augusti 2018 tillåter inte längre Facebook direktdelning av inlägg till Facebook-profiler. Anslutningar till Facebook-sidor fungerar som tidigare."; @@ -870,7 +867,7 @@ "Bar Chart depicting Comments for the selected period." = "Stapeldiagram som visar antalet kommentarer för vald period."; /* This description is used to set the accessibility label for the Period chart, with Likes selected. */ -"Bar Chart depicting Likes for the selected period." = "Stapeldiagram som visar antalet gilla-markeringar för vald period."; +"Bar Chart depicting Likes for the selected period." = "Stapeldiagram som visar antalet gillamarkeringar för den valda perioden."; /* This description is used to set the accessibility label for the Period chart, with Views selected. */ "Bar Chart depicting Views for selected period, Visitors superimposed" = "Stapeldiagram som visar antalet visningar för vald period med antalet besökare överlagrat."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Avbryt uppladdning av mediefiler"; +/* No comment provided by engineer. */ +"Cancel search" = "Avbryt sök"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Avbryt delning"; @@ -1118,11 +1118,8 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Kategorilänk"; - /* Error popup title to indicate that there was no category title filled in. */ -"Category title missing." = "Kategorititel saknas."; +"Category title missing." = "Kategorirubrik saknas."; /* Center alignment for an image. Should be the same as in core WP. */ "Center" = "Mitten"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Välj en domän"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Välj en ny appikon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Välj ett tema"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Rensa alla gamla aktivitetsloggar?"; +/* No comment provided by engineer. */ +"Clear search" = "Rensa sökning"; + /* Title of a button. */ "Clear search history" = "Rensa sökhistorik"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Samla in information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Färgrika bakgrunder"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombinera foton, videoklipp och text för att skapa engagerande och smidiga berättelseinlägg som dina besökare kommer att älska."; @@ -1455,7 +1461,6 @@ "Configure" = "Ställ in"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Bekräfta"; @@ -1506,7 +1511,7 @@ "Connected Accounts" = "Anslutna konton"; /* Title shown when a user logs in with Google but no matching WordPress.com account is found */ -"Connected But…" = "Sammankopplat, men..."; +"Connected But…" = "Ansluten men …"; /* Connecting is a verb. Title of Publicize account selection. The %@ is a placeholder for the service's name Connecting is a verb. Title of Publicize account selection. The %@ is a placeholder for the service's name. */ @@ -1519,7 +1524,7 @@ "Connecting to WordPress.com" = "Ansluter till WordPress.com"; /* Verb. Text label. Allows the user to connect to a third-party sharing service like Facebook or Twitter. */ -"Connecting..." = "Ansluter ..."; +"Connecting..." = "Ansluter …"; /* Message to show when Publicize authorization is canceled Message to show when Publicize connection is canceled by the user. */ @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Fortsätter med Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Matlagning"; + /* No comment provided by engineer. */ "Copied block" = "Blocket kopierat"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Skapa ny webbplats"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Skapa sida"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Neka"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Beskriv bildens syfte. Lämna tomt om bilden endast har dekorativ funktion."; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Dubbeltryck för att lägga till ett block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Dubbeltryck för att ändra värdet med skjutreglage."; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Dubbelknacka för att stänga"; @@ -2310,7 +2319,7 @@ "Enable Quick Start for Site" = "Aktivera snabbstart för webbplatsen"; /* NSMicrophoneUsageDescription: Sentence to justify why the app asks permission from the user to access the device microphone. */ -"Enable microphone access to record sound in your videos." = "Aktivera åtkomst till mikrofonen för att möjliggöra inspelning av ljud till dina videoklipp"; +"Enable microphone access to record sound in your videos." = "Aktivera mikrofonåtkomst för att spela in ljud i dina videoklipp."; /* Title of a Quick Start Tour */ "Enable post sharing" = "Aktivera delning av inlägg"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Export av mediafil misslyckades"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Misslyckades att infoga ljudfil."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Kunde inte lägga in ljudfil. Tryck för att visa alternativ."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Misslyckades att infoga media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Det gick inte att placera in media.\nKnacka här för alternativ."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Följ ämnen"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Följ dina favoritwebbplatser och hitta nya bloggar att läsa."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Följ dina favoritwebbplatser och hitta nya saker att läsa."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Följer denna etikett."; +/* An example tag used in the login prologue screens. */ +"Football" = "Fotboll"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "För din bekvämlighet har vi redan fyllt i dina kontaktuppgifter från WordPress.com. Granska dem för att kontrollera att det är den korrekta informationen som du vill använda för denna domän."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Bildtext för galleri. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Trädgårdsarbete"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Allmänt"; @@ -3064,7 +3083,7 @@ "Image caption. %s" = "Bildtext. %s"; /* Hint for image title on image settings. */ -"Image title" = "Bildtitel"; +"Image title" = "Bildrubrik"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Bild, %@"; @@ -3094,7 +3113,7 @@ "Includes wp-config.php and any non WordPress files" = "Innehåller wp-config.php och eventuella filer som inte hör till WordPress"; /* An error message shown when a user signed in with incorrect credentials. */ -"Incorrect username or password. Please try entering your login details again." = "Felaktigt användarnamn eller lösenord. Vänligen ange dina inloggningsuppgifter igen."; +"Incorrect username or password. Please try entering your login details again." = "Felaktigt användarnamn eller lösenord. Försök ange dina inloggningsdetaljer igen."; /* Title for a threat */ "Infected core file" = "Infekterad fil i WordPress-kärnan"; @@ -3173,7 +3192,7 @@ "Invalid Site Address" = "Ogiltig adress till webbplatsen"; /* No comment provided by engineer. */ -"Invalid Site Title" = "Ogiltig titel på webbplatsen"; +"Invalid Site Title" = "Ogiltig webbplatsrubrik"; /* Message to show to user when he tries to add a self-hosted site that isn't HTTP or HTTPS. */ "Invalid URL scheme inserted, only HTTP and HTTPS are supported." = "Ogiltigt URL-schema infogat, endast HTTP och HTTPS stöds."; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Vänster"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Äldre ikoner"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Låt oss hjälpa till"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Ljus"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Ljusa bakgrunder"; + /* Like (verb) Like a post. Likes a Comment @@ -3523,7 +3548,7 @@ "Log in" = "Logga in"; /* A generic error message for a failed log in. */ -"Log in failed. Please try again." = "Kunde inte logga in. Var vänlig försök igen."; +"Log in failed. Please try again." = "Inloggning misslyckades. Försök igen."; /* Button title. Takes the user to the login by email flow. Button title. Tapping begins our normal log in process. */ @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Flyttar kommentaren till papperskorgen."; +/* An example tag used in the login prologue screens. */ +"Music" = "Musik"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Min profil"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nytt ord i blockeringslistan"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "Nya anpassade appikoner"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Ny IP-adress eller IP-adressintervall"; @@ -4264,7 +4295,7 @@ /* An informal exclaimation meaning `something went wrong`. Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ -"Oops!" = "Aj då."; +"Oops!" = "Hoppsan!"; /* No comment provided by engineer. */ "Open Block Actions Menu" = "Öppna menyn för blockåtgärder"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Sida"; -/* No comment provided by engineer. */ -"Page Link" = "Sidlänk"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Sidan återställd till Utkast"; @@ -4520,7 +4548,7 @@ "Please add some content before trying to publish." = "Lägg till något innehåll innan du försöker publicera."; /* Politely asks the user to check their internet connection before trying again. */ -"Please check your internet connection and try again." = "Kontrollera din internet-anslutning och försök igen."; +"Please check your internet connection and try again." = "Kontrollera din internetanslutning och försök igen."; /* Confirmation title presented before fixing all the threats, displays the number of threats to be fixed */ "Please confirm you want to fix all %1$d active threats" = "Bekräfta att du vill åtgärda alla %1$d aktiva hot"; @@ -4535,10 +4563,10 @@ "Please enter a complete website address, like example.com." = "Ange den fullständiga adressen till en webbplats, t.ex. example.com."; /* No comment provided by engineer. */ -"Please enter a site address." = "Vänligen ange en adress till webbplatsen."; +"Please enter a site address." = "Ange en webbplatsenadress."; /* No comment provided by engineer. */ -"Please enter a username." = "Vänligen ange ett användarnamn."; +"Please enter a username." = "Ange ett användarnamn."; /* Register Domain - Domain contact information validation error message for an input field */ "Please enter a valid City" = "Ange en giltig ort"; @@ -4568,7 +4596,7 @@ "Please enter a valid address" = "Ange en giltig adress"; /* Error message displayed when the user attempts use an invalid email address. */ -"Please enter a valid email address." = "Vänligen ange en giltig e-postadress."; +"Please enter a valid email address." = "Ange en giltig e-postadress."; /* Register Domain - Domain contact information validation error message for an input field */ "Please enter a valid phone number" = "Ange ett giltigt telefonnummer"; @@ -4586,7 +4614,7 @@ "Please enter your email address." = "Skriv in din e-postadress."; /* A short prompt asking the user to properly fill out all login fields. */ -"Please fill out all the fields" = "Vänligen fyll i alla fält"; +"Please fill out all the fields" = "Fyll i alla fälten"; /* Share extension dialog text - displayed when user is missing a login token. */ "Please launch the WordPress app, log in to WordPress.com and make sure you have at least one site, then try again." = "Starta WordPress-appen, logga in på WordPress.com och se till att du har minst en webbplats där, och försök sedan igen."; @@ -4604,7 +4632,7 @@ "Please try again later." = "Försök igen senare."; /* No comment provided by engineer. */ -"Please try entering your login details again." = "Vänligen testa att skriva dina inloggningsuppgifter igen. "; +"Please try entering your login details again." = "Försök ange dina inloggningsdetaljer igen."; /* Asks the usre to wait until the currently running fetch request completes. */ "Please wait til the current fetch completes." = "Vänta tills den nuvarande hämtningen är klar."; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Tillägg"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politik"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "Populära"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format"; -/* No comment provided by engineer. */ -"Post Link" = "Inläggslänk"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Inlägg återställt till Utkast"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem med att visa block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem att ladda in innehåll"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem att ladda webbplatser"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Problem vid laddning av ström"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Svårigheter att öppna ljudfilen"; @@ -4858,7 +4886,7 @@ "Problem opening the video" = "Svårigheter att öppna videoklippet"; /* Register Domain - error displayed when there's a problem when purchasing the domain. */ -"Problem purchasing your domain. Please try again." = "Det var problem att köpa din domän. Vänligen försök igen."; +"Problem purchasing your domain. Please try again." = "Problem att köpa din domän. Försök igen."; /* Message for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Proceeding will remove all WordPress.com data from this device, and delete any locally saved drafts. You will not lose anything already saved to your WordPress.com blog(s)." = "Om du fortsätter kommer all lokal WordPress.com-data tas bort från denna enhet och eventuella lokala utkast kommer tas bort. Du kommer inte förlora någonting som redan har sparats på WordPress.com."; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Version"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Spola tillbaka"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Återställ webbplats till tidigare status"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rullar tillbaka till %@"; - /* Post Rich content */ "Rich Content" = "Formaterat innehåll"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Höger"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Veckans nytt om rock’n roll"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,11 +5381,8 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Sparar detta inlägg till senare."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Sparar utkast"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ -"Saving post…" = "Sparar inlägg..."; +"Saving post…" = "Sparar inlägg …"; /* Menus save button title while it is saving a Menu. Text displayed in HUD while a media item's metadata (title, etc) is being saved. @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Sök platser"; -/* No comment provided by engineer. */ -"Search Settings" = "Sökinställningar"; - /* Label for list of search term */ "Search Term" = "Sökargument"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Sök i WordPress\nefter en webbplats eller ett inlägg"; +/* No comment provided by engineer. */ +"Search block" = "Sök block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Sök block"; + /* No comment provided by engineer. */ "Search or type URL" = "Sök eller skriv URL"; @@ -5753,7 +5774,7 @@ "Shows all followers" = "Visar alla följare"; /* Accessibility hint for a post or comment “like” notification. */ -"Shows all likes." = "Visar alla gilla-markeringar."; +"Shows all likes." = "Visar alla gillamarkeringar."; /* Spoken accessibility hint for blog name in Reader cell. */ "Shows all posts from %@" = "Visa alla inlägg från %@"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Renda genvägsförslag för Siri"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Webbplats"; + /* Accessibility label for site icon button */ "Site Icon" = "Ikon för webbplats"; @@ -5825,7 +5849,7 @@ Site info. Title The item to select during a guided tour. Title for screen that show site title editor */ -"Site Title" = "Titel för webbplats"; +"Site Title" = "Webbplatsrubrik"; /* The accessibility label for the followed sites search field */ "Site URL" = "Adress till webbplats"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Du kan inte använda den adressen till webbplatsen."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Innehållet kunde inte laddas."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Tyvärr berättade inte det sociala nätverket vilket konto som kan användas för delning."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Tyvärr. Denna ström kunde inte laddas."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Ditt sökresultat kunde inte laddas in."; @@ -6013,7 +6037,7 @@ "Start Over" = "Börja om"; /* No comment provided by engineer. */ -"Start writing…" = "Börja skriva..."; +"Start writing…" = "Börja skriva …"; /* Accessibility hint for stat not available to add to Insights. */ "Stat is already displayed in Insights." = "Datapunkten visas redan i insikterna."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Hjälp"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Byt blogg"; - /* Button used to switch site */ "Switch Site" = "Byt webbplats"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Växla till blockredigeraren"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Växla till den klassiska redigeraren"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Ändrar till fontstorleken för Rubrik 1"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tagga"; -/* No comment provided by engineer. */ -"Tag Link" = "Etikettlänk"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Etiketten finns redan"; @@ -6672,7 +6687,7 @@ "Title" = "Rubrik"; /* Error popup message to indicate that there was no category title filled in. */ -"Title for a category is mandatory." = "Vänligen fyll i en kategorititel."; +"Title for a category is mandatory." = "Rubrik för kategori är obligatoriskt."; /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ @@ -6756,7 +6771,7 @@ "Total Email Followers: %@" = "Antal e-postföljare: %@"; /* 'This Year' label for total number of likes. */ -"Total Likes" = "Gilla-markeringar totalt"; +"Total Likes" = "Gillamarkeringar totalt"; /* 'This Year' label for the total number of posts. */ "Total Posts" = "Totalt antal inlägg"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Omvandla %s till"; + +/* No comment provided by engineer. */ +"Transform block…" = "Omvandla block …"; + /* No comment provided by engineer. */ "Translate" = "Översätt"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Bilden kunde inte laddas. Välj en annan bild eller försök senare."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Det går inte att ladda detta inlägg just nu."; @@ -7004,7 +7026,7 @@ "Unapprove" = "Förkasta"; /* VoiceOver accessibility hint, informing the user the button can be used to unapprove a comment */ -"Unapproves the Comment." = "Godkänn inte kommentaren. "; +"Unapproves the Comment." = "Godkänner ej kommentaren."; /* Message to show in the post-format cell when the post format is not available */ "Unavailable" = "Inte tillgänglig"; @@ -7088,7 +7110,7 @@ "Unsupported Device" = "Enheten stöds inte"; /* Label for an untitled post in the revision browser */ -"Untitled" = "Utan titel"; +"Untitled" = "Utan rubrik"; /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Upp till sju dagar med loggar sparas."; @@ -7186,10 +7208,10 @@ "Uploading post..." = "Laddar upp inlägg..."; /* Label to show while uploading media to server */ -"Uploading..." = "Laddar upp ..."; +"Uploading..." = "Laddar upp …"; /* No comment provided by engineer. */ -"Uploading…" = "Laddar upp ..."; +"Uploading…" = "Laddar upp …"; /* Title for alert when trying to save post with failed media items */ "Uploads failed" = "Filer kunde inte laddas upp"; @@ -7386,7 +7408,7 @@ "WP-content directory" = "Katalogen wp-content"; /* Message shown on screen while waiting for Google to finish its signup process. */ -"Waiting for Google to complete…" = "Väntar på att Google ska bli klara..."; +"Waiting for Google to complete…" = "Väntar på att Google ska bli klara …"; /* View title during the Google auth process. */ "Waiting..." = "Väntar…"; @@ -7575,13 +7597,13 @@ "We'll publish the post when your device is back online." = "Vi kommer att publicera inlägget när din enhet har kontakt med internet igen."; /* Text displayed in notice after the app fails to upload a private page. */ -"We'll publish your private page when your device is back online." = "Vi kommer att publicera din privata sida när din enhet har kontakt med internet igen"; +"We'll publish your private page when your device is back online." = "Vi kommer att publicera din privata sida när din enhet har kontakt med internet igen."; /* Text displayed in notice after the app fails to upload a private post. */ -"We'll publish your private post when your device is back online." = "Vi kommer att publicera ditt privata inlägg när din enhet har kontakt med internet igen"; +"We'll publish your private post when your device is back online." = "Vi kommer att publicera ditt privata inlägg när din enhet har kontakt med internet igen."; /* Text displayed in notice after the app fails to upload a draft. */ -"We'll save your draft when your device is back online." = "Vi kommer att spara ditt utkast när din enhet har kontakt med internet igen"; +"We'll save your draft when your device is back online." = "Vi kommer att spara ditt utkast när din enhet har kontakt med internet igen."; /* Text displayed after the app fails to upload a scheduled page. */ "We'll schedule your page when your device is back online." = "Vi kommer att schemalägga sidan när din enhet har kontakt med internet igen."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Webbvisningsinställningar"; +/* Example Reader feed title */ +"Web News" = "Webbnyheter"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Veckan börjar på"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Vi har gjort några ändringar i din checklista"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Vad tycker du om WordPress?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Vad vill du göra med denna fil: ladda upp den till webbplatsen och länka till filen i ditt inlägg eller lägga till filens innehåll direkt i inlägget?"; +/* No comment provided by engineer. */ +"What is alt text?" = "Vad är alternativ text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Vad var problemet?"; @@ -7835,7 +7866,7 @@ "Write Post" = "Skriv inlägg"; /* Placeholder text for inline compose view */ -"Write a reply…" = "Skriv ett svar..."; +"Write a reply…" = "Skriv ett svar …"; /* Title for the writing section in site settings screen */ "Writing" = "Skriva"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Du behöver verifiera ditt konto innan du kan publicera ett inlägg.\nMen du behöver inte oroa dig. Inlägget är i säkert förvar och kommer att sparas som utkast."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "Du har fått *50 gillamarkeringar* på din webbplats i dag"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Du har nyligen gjort ändringar i detta inlägg men sparade dem inte. Välj vilken version du vill häsa in:\n\nFrån denna enhet\nSparades %1$@\n\nFrån annan enhet\nSparades %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "Visst är det skönt att stryka utförda punkter i en lista?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "dubbeltryck för att ändra enhet"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "till exempel 1122334455"; @@ -8136,13 +8173,13 @@ "image" = "bild"; /* Text for related post cell preview */ -"in \"Apps\"" = "i \"Appar\""; +"in \"Apps\"" = "i ”Appar”"; /* Text for related post cell preview */ -"in \"Mobile\"" = "i \"Mobilt\""; +"in \"Mobile\"" = "i ”Mobil”"; /* Text for related post cell preview */ -"in \"Upgrade\"" = "i \"Uppgradera\""; +"in \"Upgrade\"" = "i ”Uppgradera”"; /* Later today */ "later today" = "senare idag"; diff --git a/WordPress/Resources/th.lproj/Localizable.strings b/WordPress/Resources/th.lproj/Localizable.strings index e1f7418c9b00..77f58715933d 100644 --- a/WordPress/Resources/th.lproj/Localizable.strings +++ b/WordPress/Resources/th.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Current value is %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%@ - %@, %@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(ไม่มีหัวข้อ)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Add new menu"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a URL." = "A link to a URL."; - -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "เกี่ยวกับ"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "เกี่ยวกับฉัน"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Add account image."; +/* No comment provided by engineer. */ +"Add alt text" = "เพิ่ม alt text"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; -/* No comment provided by engineer. */ -"Add button text" = "Add button text"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost."; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Are you sure you want to save as draft?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "ยกเลิกการอัปโหลดไฟล์สื่อ"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancel sharing"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "หัวข้อหมวดหมู่หายไป"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Choose a domain"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Choose a theme"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Clear search history"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Collect information"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1455,7 +1461,6 @@ "Configure" = "ปรับแต่ง"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "ยืนยัน"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Create New Site"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Deny"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Double tap to add a block"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Double tap to change the value using slider"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Double tap to dismiss"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Failed Media Export"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Failed to insert media.\n Please tap for options."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Follow topics"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Follow your favorite sites and discover new reads."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Follows the tag."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "ทั่วไป"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "ซ้าย"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Light"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "ประวัติส่วนตัวของฉัน"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "New IP or IP Range"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Plugins"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "ยอดนิยม"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "รูปแบบเรื่อง"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "กู้คืนเรื่องไปยังสถานะฉบับร่าง"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Problem displaying block"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem loading sites"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "ปัญหาในการโหลดสตรีม"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Problem opening the audio"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revision"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Rewind"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Rewind Site"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "Rewinding to %@"; - /* Post Rich content */ "Rich Content" = "Rich Content"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "ขวา"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Saves this post for later."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Saving post…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Search Locations"; -/* No comment provided by engineer. */ -"Search Settings" = "Search Settings"; - /* Label for list of search term */ "Search Term" = "Search Term"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "Search or type URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri Reset Prompt"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Icon"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "ขอโทษครับ คุณไม่อาจจะใช้ที่อยู่เว็บนั้นได้"; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Sorry. The social service did not tell us which account could be used for sharing."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "ขอโทษครับ ไม่สามารถโหลดสตรีมได้"; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Sorry. Your search results could not be loaded."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "สนับสนุน"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Switch Blog"; - /* Button used to switch site */ "Switch Site" = "เปลี่ยนเว็บไซต์"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Switches to the Heading 1 font size"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Unable to load the image. Please choose a different one or try again later."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Unable to load this content right now."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "การตั้งค่าการแสดงผลเว็บ"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Week starts on"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "คุณคิดยังไงเกี่ยวกับเวิร์ดเพรส?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "What was the problem?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; diff --git a/WordPress/Resources/tr.lproj/Localizable.strings b/WordPress/Resources/tr.lproj/Localizable.strings index 155a437f52d1..fb2783d6af19 100644 --- a/WordPress/Resources/tr.lproj/Localizable.strings +++ b/WordPress/Resources/tr.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d görülmemiş yazı"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s. Mevcut değer %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(başlık yok)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Yeni menü ekle"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "1 saatten az"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Bir \"daha fazla\" tuşu paylaşım araçlarını barındıran açılır menü içerir"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "Bir dosya kötü amaçlı bir kod modeli içeriyor"; -/* No comment provided by engineer. */ -"A link to a URL." = "Bir URL bağlantısı."; - -/* No comment provided by engineer. */ -"A link to a category." = "Bir kategori bağlantısı."; - -/* No comment provided by engineer. */ -"A link to a page." = "Bir sayfa bağlantısı."; - -/* No comment provided by engineer. */ -"A link to a post." = "Bir gönderi bağlantısı."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Bir etiket bağlantısı."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Bu hesaptaki sitelerin listesi."; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "Hakkında"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "Hakkımda"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "Hesap görseli ekle"; +/* No comment provided by engineer. */ +"Add alt text" = "Alternatif metin ekle"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Herhangi bir konu ekle"; -/* No comment provided by engineer. */ -"Add button text" = "Düğme metni ekle"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Bu yeni hesabı temsil edecek görsel veya avatar ekleyin."; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Sitenizi %1$@ konumuna geri yüklemek istediğinizden emin misiniz? Bu işlem, o zamandan beri oluşturulan veya değiştirilen içeriği ve seçenekleri kaldıracaktır."; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "Sitenizi %@ konumuna geri yüklemek istediğinizden emin misiniz?\nO zamandan beri değiştirdiğiniz her şey kaybolacak"; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Taslak olarak kaydetmek istediğinizden emin misiniz?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Güncellemek istediğinizden emin misiniz?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "1 ağustos 2018 itibarıyla Facebook, yazıların doğrudan Facebook profillerinde paylaşımına izin vermez. Facebook sayfalarına bağlantı değişmeden kalır."; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "Görsel yüklemelerini iptal et"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Paylaşımı iptal et"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Kategori Bağlantısı"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategori başlığı eksik."; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "Alan adı seç"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "Bir tema seçin"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Tüm eski etkinlik günlükleri temizlensin mi?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "Arama geçmişini temizle"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "Bilgi topla"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Ziyaretçilerinizin seveceği ilgi çekici ve dokunulabilir öykü yayınları oluşturmak için fotoğrafları, videoları ve metinleri birleştirin."; @@ -1455,7 +1461,6 @@ "Configure" = "Yapılandırma"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "Onayla"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple ile devam ediliyor"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "Kopyalanan blok"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "Yeni bir site oluştur"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Sayfa oluştur"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "Reddet"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "Blok eklemek için çift dokunun"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "Kaydırıcıyı kullanarak değeri değiştirmek için çift dokunun"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "Kapatmak için çift dokunun"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "Medya Dışa Aktarılamadı"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "Ses dosyası eklenemedi. Seçenekler için lütfen dokunun."; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Ortam eklenemedi.\n Lütfen seçenekler için dokunun."; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "Takip edilen konular"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "Favori sitelerinizi takip edin ve yeni bloglar keşfedin."; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "Favori sitelerinizi takip edin ve yeni yazılar keşfedin."; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Etiketi takip eder."; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Size kolaylık olması için, WordPress.com iletişim bilgilerinizi önceden doldurduk. Lütfen bu bilgilerin bu alan adında kullanmak istediğiniz doğru bilgiler olduğundan emin olmak için gözden geçirin."; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galeri yazısı. %s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "Genel"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "Sol"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Size Yardımcı Olalım"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "Açık"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Yorumu çöpe taşır."; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Profilim"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Yeni Kara Liste Sözcüğü"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Yeni IP veya IP aralığı"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Sayfa"; -/* No comment provided by engineer. */ -"Page Link" = "Sayfa Bağlantısı"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Sayfa taslaklara kaydedildi"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "Eklentiler"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "En çok tutulan"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Yazı biçimi"; -/* No comment provided by engineer. */ -"Post Link" = "Gönderi Bağlantısı"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Yazı taslaklara geri yüklendi"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "Blok görüntülenirken bir sorun oluştu"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Siteler yüklenirken problem oluştu"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "Akış yüklenirken hata oluştu"; - /* No comment provided by engineer. */ "Problem opening the audio" = "Sesi açma sorunu"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "Revizyon"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "Geri yükle"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "Siteyi geri sar"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "%@ tarihine geri alınıyor"; - /* Post Rich content */ "Rich Content" = "Zengin içerik"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "Sağ"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "Bu yazıyı sonrası için kaydeder."; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Taslak kaydediliyor"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "Yazı kaydediliyor..."; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "Arama konumları"; -/* No comment provided by engineer. */ -"Search Settings" = "Arama Ayarları"; - /* Label for list of search term */ "Search Term" = "Arama terimi"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Yazı veya site için\nWordPressde arayın"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "URL ara veya yaz"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "Siri kısayol önerilerini temizle"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "Site Simgesi"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "Üzgünüz, bu site adresini kullanamazsınız."; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Üzgünüm. Sosyal ağ servisi, hangi hesabın paylaşım için kullanılabileceğini söylemedi."; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "Üzgünüz. Akış yüklenemedi."; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "Üzgünüm. Arama sonuçlarınız yüklenemedi."; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "Destek"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "Blog değiştir"; - /* Button used to switch site */ "Switch Site" = "Site değiştir"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Blok düzenleyiciye geç"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Klasik düzenleyiciye geç"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "Başlık 1 yazı tipi boyutuna geçer"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiket"; -/* No comment provided by engineer. */ -"Tag Link" = "Etiket Bağlantısı"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Etiket zaten var"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Çevir"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "Görüntü yüklenemiyor. Lütfen başka bir tane seçin veya daha sonra tekrar deneyin."; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "Bu içerik şu an yüklenemiyor."; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "Webde görüntüleme ayarları"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Haftanın başlangıcı"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "Kontrol listenizde bazı değişiklikler yaptık"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "WordPress hakkında ne düşünüyorsunuz?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Bu dosya ile ne yapmak istersiniz: yükleyip, yazınızın içine bir bağlantı olarak mı eklemek istersiniz yoksa içeriğini direkt yazınıza mı eklemek istersiniz?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "Problem neydi?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Bir yazı yayınlamadan önce hesabınızı doğrulamanız gerekli.\nEndişelenmeyin, yazınız güvende ve taslak olarak kaydedilecek."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "Kısa süre önce bu yazıda değişiklik yaptınız ancak kaydetmediniz. Yüklemek için bir sürüm seçin:\n\nBu cihazdan\n%1$@ tarihinde\n\nBaşka cihazdan\n%2$@ tarihinde\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "listedeki bazı işleri tamamlamak iyi hissettirmiyor mu?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ör. 1122334455"; diff --git a/WordPress/Resources/zh-Hans.lproj/Localizable.strings b/WordPress/Resources/zh-Hans.lproj/Localizable.strings index 8318e4ff7ae6..7cf8992b72bf 100644 --- a/WordPress/Resources/zh-Hans.lproj/Localizable.strings +++ b/WordPress/Resources/zh-Hans.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-25 14:10:09+0000 */ +/* Translation-Revision-Date: 2021-04-20 05:41:14+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: zh_CN */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d 篇未读文章"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s.当前值为 %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s转换为%2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s是%3$s%4$s。"; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%3$@ 年 %1$@ - %2$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(无标题)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*\"约翰-勃兰特 \"回应了您的文章。"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* 喜欢了你的文章。"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ 添加新菜单"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "不到 1 小时"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "“更多”按钮包含显示共享按钮的下拉菜单"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "一个包含恶意代码模式的文件"; -/* No comment provided by engineer. */ -"A link to a URL." = "目标网址的链接。"; - -/* No comment provided by engineer. */ -"A link to a category." = "目标分类的链接。"; - -/* No comment provided by engineer. */ -"A link to a page." = "目标页面的链接。"; - -/* No comment provided by engineer. */ -"A link to a post." = "目标文章的链接。"; - -/* No comment provided by engineer. */ -"A link to a tag." = "目标标签的链接。"; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "此帐户上的站点列表。"; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = "关于"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "关于Jetpack iOS版"; + /* My Profile 'About me' label */ "About Me" = "关于我"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "添加帐户图片。"; +/* No comment provided by engineer. */ +"Add alt text" = "添加替代文本"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "添加任何主题"; -/* No comment provided by engineer. */ -"Add button text" = "添加按钮文字"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "添加图像或头像以表示此新帐户。"; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "是否确定要将站点恢复到 %1$@ 时的样子? 此操作将删除在此时间之后创建或更改的所有内容和选项。"; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "是否确定要将您的站点恢复到 %@?\n您在此之后的所有更改都将丢失。"; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "是否确定要保存为草稿?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "是否确定要更新?"; +/* An example tag used in the login prologue screens. */ +"Art" = "艺术"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "自 2018 年 8 月 1 日起,Facebook 不再允许直接将文章共享到 Facebook 个人资料。与 Facebook 页面的关联保持不变。"; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "取消媒体上传"; +/* No comment provided by engineer. */ +"Cancel search" = "取消搜索"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "取消共享"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "类别"; -/* No comment provided by engineer. */ -"Category Link" = "分类链接"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "没有分类目录名。"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "选择域"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "选择新的应用图标"; + /* Title of a Quick Start Tour */ "Choose a theme" = "选择主题"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "清除所有旧的活动日志?"; +/* No comment provided by engineer. */ +"Clear search" = "清除搜索"; + /* Title of a button. */ "Clear search history" = "清除搜索历史记录"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "收集信息"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "丰富多彩的背景"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "结合使用照片、视频和文字,创作您的访客一定会喜欢的引人入胜、吸引点击量的故事文章。"; @@ -1455,7 +1461,6 @@ "Configure" = "配置"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "确定"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "继续使用 Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "烹饪"; + /* No comment provided by engineer. */ "Copied block" = "已拷贝区块"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "创建新站点"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "创建页面"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "拒绝"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "描述图像的目的。如果图像纯粹是装饰性的,则留空。 "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "轻点两次以添加区块"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "轻点两次以使用滑块更改此值"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "轻点两次即可退出"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "媒体导出失败"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "未能插入音频文件。"; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "无法插入音频文件。请轻点以查看选项。"; +/* No comment provided by engineer. */ +"Failed to insert media." = "未能插入媒体。"; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "无法插入媒体。\n请轻点以查看选项。"; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "关注话题"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "关注您喜欢的站点,发现新的阅读内容。"; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "关注您喜欢的站点,发现新的阅读内容。"; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "关注标签。"; +/* An example tag used in the login prologue screens. */ +"Football" = "足球"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "为方便起见,我们已预先填充您的 WordPress.com 联系信息。请检查此信息,以确保这是您想在此域上使用的正确信息。"; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "图库说明。%s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "园艺"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "常规"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "左"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "旧图标"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "让我们助您一臂之力"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "明亮"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "浅色背景"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "将评论移至回收站。"; +/* An example tag used in the login prologue screens. */ +"Music" = "音乐"; + /* Link to My Profile section My Profile view title */ "My Profile" = "我的个人资料"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "添加禁止名单关键词"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "新的自定义应用图标"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "新建 IP 或 IP 范围"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "页面"; -/* No comment provided by engineer. */ -"Page Link" = "页面链接"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "页面已恢复至草稿列表"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "插件"; +/* An example tag used in the login prologue screens. */ +"Politics" = "政治"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "热门"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "文章格式"; -/* No comment provided by engineer. */ -"Post Link" = "文章链接"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "已将文章还原到“草稿”"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "显示区块时出现问题"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "内容加载出现问题"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "加载站点时出现问题"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "加载数据流时出现问题"; - /* No comment provided by engineer. */ "Problem opening the audio" = "打开音频时出现问题"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "修订版"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "还原"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "还原站点"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "正在还原至 %@"; - /* Post Rich content */ "Rich Content" = "富内容"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "右"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "摇滚周刊"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "保存此文章以供稍后查看。"; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "保存草稿"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "正在保存文章…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "搜索位置"; -/* No comment provided by engineer. */ -"Search Settings" = "搜索设置"; - /* Label for list of search term */ "Search Term" = "搜索字词"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "在WordPress\n查找站点或文章"; +/* No comment provided by engineer. */ +"Search block" = "搜索区块"; + +/* No comment provided by engineer. */ +"Search blocks" = "搜索区块"; + /* No comment provided by engineer. */ "Search or type URL" = "搜索或键入 URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "清除 Siri 快捷键建议"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "站点"; + /* Accessibility label for site icon button */ "Site Icon" = "站点图标"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "抱歉,你不能使用这个站点地址。"; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "抱歉,无法加载内容。"; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "抱歉。社交服务未指定可用于共享内容的帐户。"; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "抱歉,无法加载数据流。"; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "抱歉,无法加载您的搜索结果。"; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "支持"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "切换博客"; - /* Button used to switch site */ "Switch Site" = "转换站点"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "切换到区块编辑器"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "切换到经典编辑器"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "切换为标题 1 号字"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "标签"; -/* No comment provided by engineer. */ -"Tag Link" = "标签链接"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "标签已存在"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "浏览量"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "将%s转换为"; + +/* No comment provided by engineer. */ +"Transform block…" = "转换区块…"; + /* No comment provided by engineer. */ "Translate" = "翻译"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "无法加载图片。请选择其他图片或稍后重试。"; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "无法立即加载此内容。"; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "网页显示设置"; +/* Example Reader feed title */ +"Web News" = "网络新闻"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "每星期开始于"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "我们对您的清单进行了一些修改"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "我们以全新的面貌更新了我们的自定义应用图标。有10种新的样式可供选择,如果您喜欢,也可简单地保留现有图标。"; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "您认为 WordPress 怎么样?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "您想要使用此文件完成的操作:上传此文件并在文章中添加指向此文件的链接,还是直接在文章中添加该文件的内容?"; +/* No comment provided by engineer. */ +"What is alt text?" = "什么是alt文字?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "问题是什么?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "您需要验证您的帐户方可发布文章。\n别担心,您的文章仍会自动储存为草稿。"; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "您的站点今天收到了*50个喜欢*"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "您最近对这篇文章进行了更改,但没有保存。 选择要加载的版本:\n\n从这个装置\n保存于 %1$@\n\n从另一台设备\n保存于 %2$@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "从列表中划掉内容的感觉是不是很棒?"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "双击更改单位"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例如 1122334455"; diff --git a/WordPress/Resources/zh-Hant.lproj/Localizable.strings b/WordPress/Resources/zh-Hant.lproj/Localizable.strings index a81a5ed6261b..d80a41507cb0 100644 --- a/WordPress/Resources/zh-Hant.lproj/Localizable.strings +++ b/WordPress/Resources/zh-Hant.lproj/Localizable.strings @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d 篇還沒看過的文章"; -/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: Current value. */ -"%1$s. Current value is %2$s" = "%1$s。目前的值是 %2$s"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; -/* \"Uploading\" Status text */ -"%@" = "%@"; +/* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%3$@ 年,%1$@到 %2$@"; @@ -216,6 +216,12 @@ the post has no title. */ "(no title)" = "(無標題)"; +/* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; + +/* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ +"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; + /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ 新增選單"; @@ -258,6 +264,9 @@ /* Age between dates less than one hour. */ "< 1 hour" = "不到 1 小時"; +/* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ +"@%1$@" = "@%1$@"; + /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "一個「更多」按鈕包含顯示分享按鈕的下拉式選單"; @@ -267,21 +276,6 @@ /* Title for a threat */ "A file contains a malicious code pattern" = "檔案包含惡意程式碼模式"; -/* No comment provided by engineer. */ -"A link to a URL." = "URL 連結。"; - -/* No comment provided by engineer. */ -"A link to a category." = "類別連結。"; - -/* No comment provided by engineer. */ -"A link to a page." = "網頁連結。"; - -/* No comment provided by engineer. */ -"A link to a post." = "文章連結。"; - -/* No comment provided by engineer. */ -"A link to a tag." = "標籤連結。"; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "此帳號的網站清單。"; @@ -330,6 +324,9 @@ /* About this app (information page title) */ "About" = " 關於"; +/* Link to About screen for Jetpack for iOS */ +"About Jetpack for iOS" = "About Jetpack for iOS"; + /* My Profile 'About me' label */ "About Me" = "關於我"; @@ -449,12 +446,12 @@ /* Accessibility description for adding an image to a new user account. Tapping this initiates that flow. */ "Add account image." = "新增帳號圖片。"; +/* No comment provided by engineer. */ +"Add alt text" = "新增替代文字"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "新增任何主題"; -/* No comment provided by engineer. */ -"Add button text" = "新增按鈕文字"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "新增圖片或大頭貼來代表這個新帳號。"; @@ -740,9 +737,6 @@ /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "是否確定要將網站還原至 %1$@? 這將移除在此後建立或變更的內容和選項。"; -/* Message displayed in the Rewind Site alert, the placeholder holds a date, should match Calypso. */ -"Are you sure you want to restore your site back to %@?\nAnything you changed since then will be lost." = "確定要將你的網站還原至 %@?\n你在那之後所做的任何變更都會遺失。"; - /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "是否確定要儲存為草稿?"; @@ -764,6 +758,9 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "是否確定要更新?"; +/* An example tag used in the login prologue screens. */ +"Art" = "Art"; + /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Facebook 自 2018 年 8 月 1 日起將禁止直接將文章分享至 Facebook 個人檔案。與 Facebook 粉絲專頁的連結將不受影響。"; @@ -1090,6 +1087,9 @@ /* Dialog box title for when the user is canceling an upload. */ "Cancel media uploads" = "取消媒體上傳"; +/* No comment provided by engineer. */ +"Cancel search" = "Cancel search"; + /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "取消分享"; @@ -1118,9 +1118,6 @@ Menu item label for linking a specific category. */ "Category" = "分類"; -/* No comment provided by engineer. */ -"Category Link" = "類別連結"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "分類標題遺失。"; @@ -1232,6 +1229,9 @@ /* Select domain name. Title */ "Choose a domain" = "選擇網域"; +/* OK Button title shown in alert informing users about the Reader Save for Later feature. */ +"Choose a new app icon" = "Choose a new app icon"; + /* Title of a Quick Start Tour */ "Choose a theme" = "選擇佈景主題"; @@ -1307,6 +1307,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "是否清除所有舊活動記錄?"; +/* No comment provided by engineer. */ +"Clear search" = "Clear search"; + /* Title of a button. */ "Clear search history" = "清除搜尋記錄"; @@ -1355,6 +1358,9 @@ /* Label for switch to turn on/off sending app usage data */ "Collect information" = "收集資訊"; +/* Title displayed for selection of custom app icons that have colorful backgrounds. */ +"Colorful backgrounds" = "Colorful backgrounds"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "結合相片、視訊和文字,建立吸睛又可點按的限時動態,你的訪客一定會喜歡。"; @@ -1455,7 +1461,6 @@ "Configure" = "設定"; /* Confirm - Confirm Rewind button title Verb. Title for Jetpack Restore confirm button. */ "Confirm" = "確定"; @@ -1581,6 +1586,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "繼續使用 Apple"; +/* An example tag used in the login prologue screens. */ +"Cooking" = "Cooking"; + /* No comment provided by engineer. */ "Copied block" = "複製的區塊"; @@ -1708,7 +1716,8 @@ /* Title for the site creation flow. */ "Create New Site" = "建立新網站"; -/* Button title, encourages users to create their first page on their blog. +/* Button for selecting the current page template. + Button title, encourages users to create their first page on their blog. Title for button to make a page with the contents of the selected layout */ "Create Page" = "Create Page"; @@ -1940,6 +1949,9 @@ /* Verb. Denies a 2fa authentication challenge. */ "Deny" = "拒絕"; +/* No comment provided by engineer. */ +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; + /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ @@ -2094,9 +2106,6 @@ /* No comment provided by engineer. */ "Double tap to add a block" = "按兩下以新增區塊"; -/* translators: accessibility text (hint for focusing a slider) */ -"Double tap to change the value using slider" = "按兩下以使用滑桿變更數值"; - /* Voiceover accessibility hint informing the user they can double tap a modal alert to dismiss it */ "Double tap to dismiss" = "點選兩下將其關閉"; @@ -2543,9 +2552,15 @@ /* Error title when picked media cannot be imported into stories. */ "Failed Media Export" = "無法匯出媒體"; +/* No comment provided by engineer. */ +"Failed to insert audio file." = "Failed to insert audio file."; + /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "無法插入音訊檔案。 請點選以顯示選項。"; +/* No comment provided by engineer. */ +"Failed to insert media." = "Failed to insert media."; + /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "未能添加媒體\n請輕觸螢幕查看其他選項。"; @@ -2681,12 +2696,10 @@ /* Screen title. Reader select interests title label text. */ "Follow topics" = "追蹤主題"; -/* Caption displayed in promotional screens shown during the login flow. */ +/* Caption displayed in promotional screens shown during the login flow. + Shown in the prologue carousel (promotional screens) during first launch. */ "Follow your favorite sites and discover new blogs." = "追蹤你喜歡的網站並探索新網誌。"; -/* Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new reads." = "關注你喜歡的網站並發掘新讀物。"; - /* Displayed in the Notification Settings View Followed Sites Title Section title for sites the user has followed. */ @@ -2740,6 +2753,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "關注此標籤。"; +/* An example tag used in the login prologue screens. */ +"Football" = "Football"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "為了方便起見,我們已預先填入你的 WordPress.com 聯絡人資訊。請檢視各項資訊,以確認這是你想要用於此網域的正確資訊。"; @@ -2776,6 +2792,9 @@ /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "圖庫標題。%s"; +/* An example tag used in the login prologue screens. */ +"Gardening" = "Gardening"; + /* Add New Stats Card category title Title for the general section in site settings screen */ "General" = "一般"; @@ -3340,6 +3359,9 @@ /* Left alignment for an image. Should be the same as in core WP. */ "Left" = "靠左"; +/* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ +"Legacy Icons" = "Legacy Icons"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "我們樂意協助"; @@ -3349,6 +3371,9 @@ /* Title for the app appearance setting for light mode */ "Light" = "淡色系"; +/* Title displayed for selection of custom app icons that have white backgrounds. */ +"Light backgrounds" = "Light backgrounds"; + /* Like (verb) Like a post. Likes a Comment @@ -3810,6 +3835,9 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "將留言移至垃圾桶。"; +/* An example tag used in the login prologue screens. */ +"Music" = "Music"; + /* Link to My Profile section My Profile view title */ "My Profile" = "我的個人檔案"; @@ -3868,6 +3896,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "新增封鎖清單字詞"; +/* Title of alert informing users about the Reader Save for Later feature. */ +"New Custom App Icons" = "New Custom App Icons"; + /* IP Address or Range Insertion Title */ "New IP or IP Range" = "新IP或IP範圍"; @@ -4371,9 +4402,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "網頁"; -/* No comment provided by engineer. */ -"Page Link" = "網頁連結"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "頁面已還原為草稿"; @@ -4649,6 +4677,9 @@ Title for the plugin directory */ "Plugins" = "外掛程式"; +/* An example tag used in the login prologue screens. */ +"Politics" = "Politics"; + /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ "Popular" = "熱門"; @@ -4667,9 +4698,6 @@ The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "文章格式"; -/* No comment provided by engineer. */ -"Post Link" = "文章連結"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "文章已還原為草稿"; @@ -4845,12 +4873,12 @@ /* No comment provided by engineer. */ "Problem displaying block" = "顯示區塊時發生問題"; +/* Error message title informing the user that reader content could not be loaded. */ +"Problem loading content" = "Problem loading content"; + /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "載入網站時發生問題"; -/* Error message title informing the user that a stream could not be loaded. */ -"Problem loading stream" = "載入串流時發生問題"; - /* No comment provided by engineer. */ "Problem opening the audio" = "開啟音訊時發生問題"; @@ -5285,22 +5313,15 @@ /* Title of the screen that shows the revisions. */ "Revision" = "版本"; -/* Title for button allowing user to rewind their Jetpack site - Title of section showing rewind status */ -"Rewind" = "還原"; - -/* Title displayed in the Restore Site alert, should match Calypso */ -"Rewind Site" = "還原網站"; - -/* Text showing the point in time the site is being currently rewinded to. %@' is a placeholder that will expand to a date. */ -"Rewinding to %@" = "正在還原至 %@"; - /* Post Rich content */ "Rich Content" = "豐富內容"; /* Right alignment for an image. Should be the same as in core WP. */ "Right" = "靠右"; +/* Example Reader feed title */ +"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; + /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ @@ -5360,9 +5381,6 @@ /* Accessibility hint for the 'Save Post' button. */ "Saves this post for later." = "儲存此文章以供稍後使用。"; -/* Message to indicate progress of saving draft */ -"Saving Draft" = "Saving Draft"; - /* A short message that informs the user a draft post is being saved to the server from the share extension. */ "Saving post…" = "正在儲存文章…"; @@ -5424,9 +5442,6 @@ /* Prompt in the location search bar. */ "Search Locations" = "搜尋位置"; -/* No comment provided by engineer. */ -"Search Settings" = "搜尋設定"; - /* Label for list of search term */ "Search Term" = "搜尋字詞"; @@ -5439,6 +5454,12 @@ /* A short message that is a call to action for the Reader's Search feature. */ "Search WordPress\nfor a site or post" = "Search WordPress\nfor a site or post"; +/* No comment provided by engineer. */ +"Search block" = "Search block"; + +/* No comment provided by engineer. */ +"Search blocks" = "Search blocks"; + /* No comment provided by engineer. */ "Search or type URL" = "搜尋或輸入 URL"; @@ -5803,6 +5824,9 @@ /* Label for button that clears user activities donated to Siri. */ "Siri Reset Prompt" = "清除 Siri 快速鍵建議"; +/* Header for a single site, shown in Notification user profile. */ +"Site" = "Site"; + /* Accessibility label for site icon button */ "Site Icon" = "網站圖示"; @@ -5968,12 +5992,12 @@ /* No comment provided by engineer. */ "Sorry, you may not use that site address." = "很抱歉,你不可使用該網站位址。"; +/* A short error message letting the user know the requested reader content could not be loaded. */ +"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; + /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "很抱歉,社交服務並未顯示哪個帳號可用於分享。"; -/* A short error message letting the user know the requested stream could not be loaded. */ -"Sorry. The stream could not be loaded." = "很抱歉,該串流無法載入。"; - /* A short error message leting the user know the requested search could not be performed. */ "Sorry. Your search results could not be loaded." = "很抱歉,無法載入搜尋結果。"; @@ -6109,9 +6133,6 @@ View title for Support page. */ "Support" = "支援"; -/* Action button to switch the blog to which you'll be posting */ -"Switch Blog" = "切換網誌"; - /* Button used to switch site */ "Switch Site" = "切換網站"; @@ -6130,9 +6151,6 @@ /* Switches from the classic editor to block editor. */ "Switch to block editor" = "Switch to block editor"; -/* Switches from Gutenberg mobile to the classic editor */ -"Switch to classic editor" = "Switch to classic editor"; - /* Accessibility Identifier for the H1 Aztec Style */ "Switches to the Heading 1 font size" = "切換至Heading 1文字大小"; @@ -6173,9 +6191,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "標籤"; -/* No comment provided by engineer. */ -"Tag Link" = "標籤連結"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "標籤已經存在"; @@ -6770,6 +6785,12 @@ /* Title for the traffic section in site settings screen */ "Traffic" = "流量"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "翻譯"; @@ -6916,6 +6937,7 @@ "Unable to load the image. Please choose a different one or try again later." = "無法載入圖片。請選擇其他圖片,或稍後再試。"; /* Default title shown for no-results when the device is offline. + Informing the user that a network request failed because the device wasn't able to establish a network connection. Informing the user that a network request failed becuase the device wasn't able to establish a network connection. */ "Unable to load this content right now." = "目前無法載入此內容。"; @@ -7628,6 +7650,9 @@ /* The title of the option group for editing an image's size, alignment, etc. on the image details screen. */ "Web Display Settings" = "網頁顯示設定"; +/* Example Reader feed title */ +"Web News" = "Web News"; + /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "每週開始於"; @@ -7677,12 +7702,18 @@ /* Title of alert letting users know we've upgraded the quick start checklist. */ "We’ve made some changes to your checklist" = "我們已稍微更動你的檢查清單"; +/* Body text of alert informing users about the Reader Save for Later feature. */ +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; + /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "你覺得 WordPress 如何?"; /* Title displayed via UIAlertController when a user inserts a document into a post. */ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "你想要對這個檔案執行什麼動作:上傳檔案,並將該檔案的連結加入你的文章之中;或是將檔案內容直接新增至你的文章之中?"; +/* No comment provided by engineer. */ +"What is alt text?" = "What is alt text?"; + /* Title for the problem section in the Threat Details */ "What was the problem?" = "問題為何?"; @@ -7964,6 +7995,9 @@ /* Body of alert prompting users to verify their accounts while attempting to publish */ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft."; +/* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ +"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; + /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n" = "You recently made changes to this post but didn't save them. Choose a version to load:\n\nFrom this device\nSaved on %@\n\nFrom another device\nSaved on %@\n"; @@ -8115,6 +8149,9 @@ /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "清單中又少了一件事情,感覺不錯吧!"; +/* No comment provided by engineer. */ +"double-tap to change unit" = "double-tap to change unit"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例如:1122334455"; diff --git a/WordPress/WordPressShareExtension/ar.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ar.lproj/Localizable.strings index b398af141ab4a5893e49a4389377882a714fe288..569ec3ef580de52fce99d425bb9ed6d9b0d738a0 100644 GIT binary patch delta 1319 zcmY*ZTWs4@820tp&W*G{JLn}&yVPkG+J%jFMH?b*(zRW0%cW`88*btxUY$6Lok9h) zLafuC(C9Cq0tp0@U=j!rLgRsl!9Zx@vIjJYr)d>^Ktciu-jI;s*eMe`l6{W<^WFY) zB=7n5e3vr)BNLNT)29>3RC*>eJ9lP&VR32sDS0KEQ}TtPdUjPSrK6RKwmy?kO8T0T ziK#|OH4M1Q)Zh-)1s{_BrkSLoDOod>l-HDHuXnn(qNzp^M7pJYZd@&|ij#6lIWw-y zIkjBq>FJqERo6wiAggeNY8PjtxtwUq1tXbGj4vjOauuUQrCQaisX;lr`tlF0freql z%oeS>p_+<;HBu?exQmWkXn27V1M~HqqUEa*NkS&p2$d)k1wte$giaWQDRu!(2OniimktQ=pFxa5Hs%xJ|b_u{fdRR9T#= zn5tej77}WI+bGj_AXo_g+Vy&X#Llh%+-gHVeHGJMdc!Tx{0WD{18}K*T zxtZDTEt60%UN0{t6th+>TN+lY%ihLGU6j{kRkNk-LtUx|5{>!|EPEe}h`FkqH*Lzk zw~|v(2=${N8bgB$3ZO@kgkq@Ms)q6MB#PVxmO)V1jPsu#Zd%x^cs@O`)|* z!_Ive9JN6MIDv#I5(?$xX4PlGJ=laCk_+Bz(bbQ zeiPX5|Lk7{35t#raNZ?3OLqJSjvs-~(N_=_{O-C}$mWc}EBql^_qM}Zo-l+^BV2X8 z{ba%33!%r*FlI*2Vyj*|To_yJht%#K%%OYzb#E6;3w_&87OprO?pJLstL2bQ?L%WQ z;5r3wdPberMa0nK7~zM%oB_Dbx4_S=k9+{92{zVK4B!kS7%{AS!~f}i$F)I%AL6oj z?m30hq~@&LZR!z-=CM9x=JWbA!D)}tAMP4FbCqE;< zAipMmB!43RpjgU59iWa;F=~-|k=mi&q1)&X-Al*m0)36XLEoZx8J_VnhnY09z&y=t zG26@s%qPrkmSB0-%lg=(><~N8=Gk-XbLbqp!L@PE2f1EuoHMwK-22=&yqoXhkMJpe zk>BCJP9=_TaWy=0SalI>(?b~DLj zX4#ny=AjWU^g+b7{1h4yL?aYwK!sB9$vo70DJnkr;6t!jq#{@pUlasAyA!KDaOOYr z|MP$U_kD-C-+aIMa(Z}Ta%%c)JdsSzq-W>OWlqm8EN0KkOF2c&7nZe^Rede%uTL5B zlCDa&DV2-5DJxP~Dw>uJzfpB367ss5j;VRMtlOEmx@NAc(zs@<&d0UfvJ^E9TQ%$o zMzvG@w>LyE@)~@=cGsqonyssgan&xDjLMKAyhU%i=PD@Dq`am=2X&}>E?L@;ImnISqH<7}*irg~KHF<1rn#;b*JqAd;%FQs{(`w*|8NaViAAioZDOUl8~5Td+zVg1Bk-!LrLU43z?~#FqCYAhew?`@vkM<16UT4_ei5hq z`Kt7;>T}HWH^5zd1Ri?YV9OVPvz{~X2JeB_ghoLjwuT7xLGX&((CZ4obs+$o-0zJJ zMAch7P!Su$LjiA!89SBKte)70v;v=0v`6rO@M^PKw|Ikur~x8I~{6aNLcdy`~Khm`~Plt z-tOFuCqOj%`1l0(#L3C2Q}@IU$Cc@s(`TNXJ^NH*Zhm2LDVa)Vvbp7z)qG)Xz4)}c zQPM_Gxl+x<>UCo)n?#$|1(ciColV_w@Rwo(-=zBRFc)dhrjUV3ZaSr2K*eBiv9V$3 zP8G{^cX%bCn>Be}-9)PiOVxCSs;V|A zlaXy(b~>(>YIu;nzxUqL$Sqa9ACB%Khp42}q~-7O8Lu3_K*=rnrc>FQjL-4i_-($g zt98$mCs4N>*K;wW>8`wpciHD!3yNx%kkPc4o=4BRI83$UoBRVf2A3aNR#X>NEPE?I zYdXkweeHavu946Fb1~S9Rp|(RUTBqa)2OUA47V5z;dem?J1m!V1L1Y4m&-QC;2U&z z&)OW)bX8ucySimMg`{4p%8F&W$RwQ|M6E-}q;=OIiT3Ylw+Ow4=BqjQckp01x3^R- ziBwIt%=IL48@4ICmcJwZf@|wvZ;q6mW~{|v+pw(JYT5NmhF2 z4mbp-$oUw2lw423v4d>!AufV}aG%GJF2h!Qp6fhZfjw{-o+9;e(lJTUb>Rjx7OKED z@+At#;h1;-H#Ynu^Y9&7$L~U`24&JZN`%LKA#Vh+gpYxXJqPGjVFXV2rJn0qIJBSS z5gm5<-p1evoFqP@Z~-T|0o*T~p!Y$-+|vKh7zexDoRaLYt$v`Rq9PTL?5S5&@*&}{+PZ_e?$KS zc^D*HWME+%J_C2)EASoo9=yQ>7@i3-VP=$3m^@QwZm|OU2s_0lS&iLcud>(J>+HAe zE%r}tlvB7R?mTyed!PG(`<3VT7x|a@H~0_u?}Z^j5e(sV;WObE5sCxisMruMiEoLY XieHO=ND(P2oskMsE#Mt^wWa$no}6C7 delta 1248 zcmaKpO>7ip7{}-1na|a-Db}uq+G#<`rgqyx7iz!g?zTXopZn3>vTfJt&bzzQPG{Dc zSz=?X2(qj*>1HTyboU#U#?r6 zM4GND(`8q;Ob54c4Z*ou$YheJ(xbYwraMl0rm}44PH7>gnt5appHL`-X9Yz}#}S#= zGV$kpGyY82gCB7FagI5FS82a6mp}%}yZEx$)_Z1xET$&>C(D?ZB^4=`jrDA*tf_8o zHJKPW6)k%m|H>Y0PEMh>$$}bs6wOu(ZgsQUdqx^wfIYjGYN-^bHX`;zTcCbBu{W~E zg5*s`)%+^HBW9X&e*gA$&CN3V=f^bNRc1VDWv=2&q~a5EHCx;buQfdf@?U&-w+@Za z4adlP6b_N^5QOm$QY(H-=)fCt@TF(5Z7x-Xhhcz-4nZG;|BG3${JS6kgZP}Z7yI~D z9Fv0hI$!r3g8NsX1x6qYgT!>~X`Ui9K$LXoCl}<8TYZf${txF)6g_(FMm48rdIWlF z15zRH`8P{!NL^$ZO{5}9Y7fIO3DO7C9>`z`TFIPYqW4xb4&Bd$+ABwPg4(tN)FQkJ zJ*0`(a0rGyyt{Y6iysNEV4HIS1*j+0rwFHh=te{w^$u{NCZBGEx62ea9!LHF3VN8uetBIUwDZR@rjeX!+*eI zp-$)$;=((^hr*Wdy>LsoFZ>}&q9S&Rlj4fFA#RE{#CsAgHAx4hw6r39EM1bWN>5~; Y+#!$1)AFW#MZWDj?o0TVaOwr+Z*p#JTmS$7 diff --git a/WordPress/WordPressShareExtension/cs.lproj/Localizable.strings b/WordPress/WordPressShareExtension/cs.lproj/Localizable.strings index 3930e1c0f3241be0e1f8a7af001aaffc060fcb6f..0a81badb5e79b674ea0c4cd0c1de512600991654 100644 GIT binary patch delta 1304 zcmYLHTWB0r7(Qn%JG1v`Y@2G@MWMgg3b+1V_$>!|N+1+s`Gt11` zt%;aWq~epLJqV?OHxMI;iVun@s1Jfdtq-Ll2*Kt-(1$#z*e3AX zq0NT5bWP{w<~O@4_5`zWQo?nU=Cxz&W7z8JMqsbaI zY|EWb7{v-2u`Nn0&TLIvxL^`QZB(zBJVeyr^qWo@)Z}^hus6gGf6UaI+AjMCo>DF1fg}u@-)0r^IFSdNu>f)XuNrFzz$#4F6vsCtJYo5?W$!r>g-Sd5PMi1@atd>)L49Rj|U|^pCXUwdg%d$kwZPl|2$T#cl+Ou$8Hi2ia6uW@jSZ?3V9ly8#k> z5DbXd6!duy0damZCNJ)?Z`DC~oW0}kU~9n`TMWNHkWJJJj#0%X$oxMGKP(&Q+yMrw zJlLTstz*+zwHui3JGc|f9;|TdI~-(knC|tnwHUjuJjr@OQHG=A;SvWpO*>vb7eh}B z+FI00#yeU5ZtUAcU>W?*B@D1@f??je!hcepyJw@o!5CC*?a03G0};YCcEBoUH*Bq! zm!D=D&)}|dh*i{lYn89F&Uq#mta61$a|Jfr@!!YZ^YyZrzn5)=I#@h3xDHgX0@lGR z;58`1Zg?I}!wfXwi|`WMfY;#X@N4)Dyaj)Pe+aS=5RM3Egt)LEyewQ5-W89D4~eJ5 zQL!w3C4MK~7Vk)^q)Dfxv@|bWkSG+;4qppj58sX`k(P)Z`62RaG6s_-hMGxY5?h;Wqo!VB(cEaOxpl8ec9YG?&e`2@Co{`j z7B^r^@kJ1-<)hGwShWwWkcU1<6@4jq!-uLb;st^UB7KUWqWGZT+1;edFfg1s-~aOa zu6JMWe(m)5iIbdw0EIO%zB&Cs1vb^@DuVo;r-p&@8zRew50XkQC1Gxv8GD2_0yA|08ih*VTT7IKiQ z_5;WCLyql-GNbrYabl3X3sYRrqf672R#WY6z^Qt`DMG8DOm zgE>Xn``uKt%qJJ8G~HF_>CFr0Jvp9?O{bcwaFp-kETtWW<)d&>JRC(yWFU(u0JtZbckLg0G zpGI>U@PmI0R4EEopAK_U9%}vpe=1d5v#|?9@`-13+6ObChTl$IRP8UIc^cNEq-cno z(lS<}2oV=4a*?=5Mx(9bqTf1vbZOtiihMIreS# zUG_8fM~>qTaiiQgr*RhdBKH#aDtC#y#eK?caewiCet>_9ALB3coBU1TAt5Rp6Eebi z;eFu~;Tz$O5BV~qzDvHVzOVgP{2z$2*dabF&WI)PbBUFDrI?hJbjg)ok=~Scq~8LM z1XcrI$VcR)oRzQ2H|3Az@8s>^W5My@x!{MvZ$l4+lA)Eb5Pm$o97#klysW7I0{7B= AUjP6A diff --git a/WordPress/WordPressShareExtension/cy.lproj/Localizable.strings b/WordPress/WordPressShareExtension/cy.lproj/Localizable.strings index 050a6e28fc07b89026237031fd7d9c2fe18559c9..722b634172ee435b77d0a8157573a7d118ff41dc 100644 GIT binary patch literal 2837 zcmdT`OKjXk7`AuUUOQ0Yrj))2owg(?W!WaQ&S%y z|L0xsT!#n4!*{epVlH2hP zYOUUAwx)+>&d<)xU(he&1>=B8+E!!K^W3;uB^|a%T4N6HIGpR6Kjjk43372r4I2eE zK`rK+Q$FDwVb3cems!Z6C}1lKWrKAPrY7p(O9b)ICn#nivhgB8I6z6n05J+nPC!aY zP&n_$2wT{pWnJ4_c7Qy_gAy8W zP1JT=!kabX5+kVBAgiuvQ{e(2Yp1&)_fcKz9myWTZlIY7hh9RHxI@lQKxBtn<#KtZ zzEqd4ZC{o0o@CRbW>#mdQJt8t+1Q8Ui1&LKhN!PZlIXsfqscRdLlfbZ({Rtc# zlGf|c@p6>$B#N%}Hz;0kNrFLE@xL0M&4@!u53W!Xu&^jN0u?L)37)_NE(B;$*Y+f6 zq!@WN3m8xc-&Oc!$nh`Dod8Y2gRWhkVWE$(VX%+}$Yg{g%7TnukNAmj z9F{7gTWE)v4o(UWY=@^^0-d0w8uW`s&5lDs^F9ukj|@zaVPk4Rqc#EItpw!dxeBHR zaWiJ>ljJfKvnlOpMFCj{JJ$g#qihNFM$2Z*<0Zsdhd^D>YDA!&$Y;r|4H7~;-SPf||&AmwAW;hFGrdar8(>y)-qehFAj zm(jBMf)pm+XEO3_&_0Ot5y z)qz>BFd6_NiFDU0FUioTJAn(cwRfHM)s-%fBus6}77SjZzV*b{>PoLwB{2DnUZ|2F z^iwe>b7Lz6Nw+C89~B2{OcIXUkE(?^AhI(gqKq>WRbn2wi5vBfIT0~U z?1!1O9@NhsijTqH64Q)3Fu&WX@Q#SUq)6gaiIq7h?%*{}25;92Onnq{Xrax(=$Umt zLnGj557*G9E3wT0G3OyVnV<-<@Q(1F@V=NAhs0CjIk71^;@jdi@dNQA@eA=Q@f-0w z@kjCZoRsUyZOt9djpgQZS92fcKFRmz_vQEJ$MaVH%lxhU_xWE6NdnNzZL&b6lI_Cu5w-ZSouu(N%>ptR|nKl^{i^BSJbQOr|P%rZS`06 UZqEiG{p7^#D%jm?_tG=)4{W)k(EtDd delta 1211 zcma)*PiP!f9LL}MpWR}+L>m*d^qFE}tW6bC(WbS{&aQ1W*(AHOf6~on`?B+PcgXB} z%gmdsb5N1$MWIz61;vA?2N8pl&P*!%?1_`7o_l_7KDY4T;!?g~j}=Sh@yhb) z>Pl_3eg>^I9DJzRs;BNR613)F$S4fE9z_m(0(NP@`0vv0qXo2q%Ng86p~tFu+@Tv7 z&befLCGR%c(4vH4!eWj7B)&cSn9yjt{E~WLsA#*)!>f7BLZ8G-y8M0lrQ~v~0&}Q? z`Cr<;1IxA_LDWJnsh%PM_E~>RW!7;ZL#?1zXd~YxEr@-e`uwxRK7LRc-dUT+j*H+z zm${S#e6O~9vNSMh+hVGmaf6N<1m(qW&2xkHiiJo6dqQVwYKo7@&@AV%$V&-7qwg8@ zKmj1I0bD>p3qa5X6a;|5asHz=&g=3xUzbuwsenD)VB9pvrccj_x(0IF4zsbt;%v9; zMb%>0L2OW1#S*U;^&|d^@`z^V@C%IJlN{kI>I1u02fko12+33G7`KdjH9L(O>-AyHm z6#HgM0;7wuBo>+nWa1i4*G&hE( z7jrm3&6wK$dTKP^Mx-Zh0LOL4L{7n()`ig;f_hOa6gSl* z)DcWg@qHa9>Vz@Smw^c)z`@606MO-#f^WfZ(vUPFO-LU~o6{y7nQThdF37Ds`8cclX6ov)Cu*7I;*~` zZmO5H{n|n8Nv*1d+UweR?LF_ BfQkSB diff --git a/WordPress/WordPressShareExtension/da.lproj/Localizable.strings b/WordPress/WordPressShareExtension/da.lproj/Localizable.strings index 0156a882af3f5be849e456a970aaa161142b389a..1c897c36386d5bfcdd1e36a768d74f0fda946631 100644 GIT binary patch delta 1172 zcmb`FOKcNI7{_P!y`~R0C=P0xW=fPqqG}2%l>&V_P67eP1bf$Zp6ZPX&4n4pDBv2)KD1r+dk?5&aL3GzfRwFp}G_UXbe}Dad zvzgjVZH;B&=%K^!ysN+W{s$kXpC5ZMnHis$>^^dI>e%t@bne8=$$VkJvWvr|^6cFF z!s1fpBmCBK)ggAeUia3Ec~bM6q%=;$8Vy6SVK&5VX-Hgvuce9w;*l!13b;us$>dC9 z*`wjAKyq*YY?iV$l*2VLm-VqjnL9EvGHV6v2)mdvQPcZSIqf)zV>c|=`Rrn06$eon zB0=B>))=m?eSP(n!Ivfpudc@TA>|~DL@X=n=u}U{)#3{YJvZMrisHfIoZc(0=tD1e zJ@FI^)cughCMF!p(TsSge%`f^!K_NWwmU0FKH;KYN{Pq%UXfPH-Q^7C#Px&q`6(8X zfVZ^|83%Wj#>on9c)XJA6F#vp~bvXozPo|N*48&u}dOK=xIuw+76&yb1e%fO1r~n|1tF+X2{xe&hv6}J5*8ta zr{P(+1;2$q!%Og2cmv*q4=Zc|vyOi}GdpH~EfY zC`o0%Vk-;E$I4k{TRE@%q})=0YN$!IUp=U1)Oi)FuKI@tv;l2cJFI0jTdQcFYUi|V z?YwqLyQbaO{?@znQGHrJrQg;6)E^nUjkk@jjPH&9AC2FQzsx>!$V{6>vub{3o-r?& R*Ug*eJ@cPLLflWFe*s+VcG>^{ delta 1129 zcmb7?TSy#N7{_Pk%+-QjG+xqF_Eg)bB+&>OsxfKS^_Ip}v%BN&y6Wb*b9S9LJG0Ep zE-}zZ@TrAZ)AM4ULR;DrDy0vl4~0@+nmmLg1oF~CFE2@;P}@Kt2_%>^u1GGv_%s7E z-~ar--|s9|FIF%0biLo%#UJiIa`b~^fu3M_udlCvVDR{dH7ABb!*7p_o(xCoqw3h+ zSW`SPo}8GRN}WQ}=?)F2d^O~@Sjp!t$0ZNgsv{9p#IatSK?TE2hH=g+VmPFmvlC%G zJp+T5>0;BRQ)=F@kcKtb2EEz+^qJAg_xynhHLAM?o(f~PV4KjjV4hs&&Xpy+6gZ4> z_%pHLKq6|-L6k+hnLKVf*mgG#i3cRMrM$$n^}l$+p@`bN&{&H)#Z~Rtmz1j z(!l{?l`g0!nC0~GZR5%rm;bDT3TAjO%ckmFh&}*Op+4o z$P;l7`BQk8q`1ALTlAHUMX-U>bUD9=gp?~HX_dwH@gcfsDPyZvpI1u_08#a=g8lnsV+K<&(O50HmKPs<8E+*g-vc`g5UGzRH-0zO4|}2Ute3XS>D^; zBTK7Cdr*3oWI?u63}L=uR+t}{RpthBpRHhP*+%vYc7?sg{>I*A*Vw0= zpX=a)T%1dB8fS1Wcb@y4yTV=N{sI6rgTtT)Xutv=fd%j>SO%-$SMUdT%u9SD-^~a3 zOZ*D|qp(kC6%GkWp&)!LTo9IpuY_NO&_BZe!n$}?ToAt&e-^KcYZ5Q*mRh8CsY^O0 zg`}MHiS(s(P5M__m*0{1$(?eaoRiPUOY*n!Px9~bfAS+`M449Rm50hRvQ`G414rF$ AAOHXW diff --git a/WordPress/WordPressShareExtension/de.lproj/Localizable.strings b/WordPress/WordPressShareExtension/de.lproj/Localizable.strings index 19b08c217754687a6642d7c2523e5bd7a6463f90..af8892bea89e80b7a9f1f3fe542c9fb9a8da4951 100644 GIT binary patch delta 1353 zcmX|ATWB0r7(R1LW_L5Y)3l~FY0}fCo7AF-kw&U9>NZJh+ccNGWOuVkwr6+F?oN01 z%sO*6F%hg%QV>C^2TM^zDF}k4MT3f7T|L=JlT_gp zs^R%b8yO}k4-5=slg=tcWn{9q#U7Z683v@N>?Tt2$;CtkIeZFY$FZH{5mcga%j$=M=lchMO4TpFf-l}=MeaePt8JU((?T5P5Gz8t|3FP&=hM?h~67?Zl+SoV) zZh->8z~P}{Pysc5C)o)?OV}ZpSl(xLIk01+CvuO#HiEAU2ib3Jy-Zh!x=j!R4SobG z;17g{3c4{(D~rUW0; zmi)T%*u7=gT5yETgcjKw+Cw{dWHE=DRcyfmMoz(#+4!Vozp$^ymn!hf;bfiwj|033 z2E1!7?TtAs9Eh^tLx>OrZwM0uDOzhT};>uEyHXg zFua}r^hwN%O(5D5C+z38(X&7WtKcj+4_*``p8Uy6`-h!uIy0`DPu}bsVi#=Yx%e}-Fme(_j&6#YKz*Z4yrLVsXnW|tA45ep#Br+ z2n+@;2HpzX3XTM6@cGb{&{v@wq1$c!nyz(f!`cb$x^^Sn9ZrW)_+0pv@H^p~;myeD T$VZXuk?(X_AJL~6-Uj~#Uty>y delta 1227 zcmX|;OKcle6o&7->>1l*PZQFnq>oEO;-)kSkw{xeBjG&ShNgM=5!-PRckH>gr=Hxg z#^XRLo}yJ3m3W;E5klp$s1T`y6v(nvNM(Z>RIvaADMg|}ut4e#p)RDkPwx%q|cSv{9GNTFCV&-ItBthOsb z^_)epYvWqQvULOZ;fh^#;Xc! zR*B$Iv*?Pj!BD{IF9YWrq~X>!p`9Q8Df|^o~*d0O{=h9YU!G3n2g8S zR&vCwE}GS9a;lcI%xYsEiAaI?K8qjiIcNTp&eXA%`dcN=}BhS^)u zc9!9;aBy#Yg1p39Yw5#=qZiz*y0^l_~Lmdzc5g*d? zWhe@%y;)7${@qZs>2v8(!*uZ!n|$}Jnm?9^j?Xky;c2l0J`Wy-|KvT#(yuwSD_5BtsUAPYK0YV3q<5*cwB9R*X0v%Hk5`9e@7@(CrM~`10?}LJLXT1 zK6GHg*Phl63;l|6h#-eysjz1Q6hSnzmHa%jM<}fN+n`q|hB8UQ{5Te=))RCA4(lV4lPbhi%_iRat>i_Q`k@^VZisS zT0pbxzJng1JSsyt@E3gN9c*ffIIdYH7S0jf$<>pry(b;wlyqcU0QLk2UPCfkMu4uO zRrDpgfo`EcxhAfa3v-`vtK9e8&)hxkAMOFapYP{~`4pe!4c_8i{tf$MQCyu;6_LZ?bA+b(?E9M{{g4xhhhK# diff --git a/WordPress/WordPressShareExtension/en-AU.lproj/Localizable.strings b/WordPress/WordPressShareExtension/en-AU.lproj/Localizable.strings index 934c196a90acebbb610652c6fb0a25e3b2d47381..f2fc4c0194937127185e0b11d76b8b2155a53cee 100644 GIT binary patch delta 1044 zcmb`EOGs2v9LDF|_oUf0X=AB*R8-JXD+w!m=**bf_?q|l@UcBBr+Qx6kXV_Xmz04~D{# zKubI>Cxc!*sZQaLOVTGLT_-C{f_$c`$TBF)4f?Q*qlVvyrZ8C-3P>$&D~)(0Wde4i zN!;&Iktiv#y1KfEUrRz1Ly|%c^Cd9cB8t#JG2IvNdWL-CNK45e)-+Y~x1#98wKv6; zd)u%P9Z%oul7aPc8lkWy+tdCHfQ7A9N}b|M4ER4qBsq3BpMOz$6jV@}A0 z$528xMr+3C1%JR+DT{DSlCd5%y~!F~bZDpxixPr8aYIrSeb6gK$DvbI z46LLa9H~7A6Yxt0S!R!rU!Y7|(#YlvzGVH}hLQ|lj!t^gjZ1!#yqA4WFXjH}~ znql)jsGA%|Yz0T5sG%_={6~o7AzPc~H}@ZTSp-YcGG|$|Tm>|!2A!Y}1c3x* zzyeqTx4;wd9J~T=!F#YyvD7ZAkZPh_bJP%ZnYu~crAz1tqMmRrV+6;A*&LF2cpQdF}>xk9)~|v0YQXC AWdHyG delta 1079 zcmb7>OH30%9L8s7_EjadDNhl?1hk+czEOFoP*71o>>J7>D?5}8%Wku~MSDtalL@L)U|FL*O@)EJ`|W7J5ZUW_ruE!#B2kce~nPck##eBbZ;R`jiCrhU)e zeTe0nnp<40`wI@Z4|>|#{T-bprDbam9j-Xib@W(wbO(z1uP?Vdw_k=BlB0gcA2q50MoKA5U6}u9>uoE8ZA!Ool@C zt7wN}PAaAu?Mt0h6?1&hFKMGhwRIXA8fY2BVl+S`8S5Ht;VajwAP6Kd1r(rx1i&B( zbYKDt`{+F9qa)Bq>v_+rNRX&x)XrQ*7sOIJFNnJay6x!7%9n08s@>366UFOZj$@0j; zw!?(lrO^rcQixTKcs#jdM@`q7`a5OC!hQD5+3D2kU^vhnaa8GySWCZ%<#yBF4J&T6 z;O{Q81(q+ZEf3*eZMlaWBTFh-aT8u9Uw}LR;Uaa~A~u%%AJf8Rm}YSnE`xJ+`V`&4 z)|>+(NCOJ)gA8~Co`UD#1LI}Nm|Er@lVM&kubB7D0`m)2!QIdgV{in@P=yve5AVVU z@ELrI5ZZ{EQ9F{6j?SP9=qkE_o}xMQ2K`_Kww7&S+t{0IhJDO!=C*Q;T%1dBSGeok zL+&;Ai4PP0GJlP~$ItPv`H%c>p+Kk?x`dO$B_Sg`5#9+4!cVbUY!btwEM63EieFu< SD-9MGWSj{Gax*tvxBdXv8%xXp diff --git a/WordPress/WordPressShareExtension/en-CA.lproj/Localizable.strings b/WordPress/WordPressShareExtension/en-CA.lproj/Localizable.strings index b9ed1b83ee1333ec827b2439ad69cd10ad635107..d68a8123b6b162b0543a3d3feecaab4ec01a5e2a 100644 GIT binary patch delta 1006 zcmbW!%S%*I90%}o?rZKfv#T&^mU_(8Qqo@Zv~nEB%Es5cZDx|=%xUJ<_1y1Xamu8ipzV*}`Tf4<^P92H*e5#NkmL96 z+i#N(w5>Y0`p_Ena9O*<-r=n1baibwaudD~cI*s>22c1M zsg#}#c*ux3N`jr5HKJJ-n-wzbBiF#FR9hVI5}m}T&x=P1+pgGIGp|+;x;5hr>cu1E zgxkb%%}BJgv<&*vS%ecy}1|m7C%7mkP}mqFw@!a zF~cHhy0nlL%ez(uJIN`W(dm#{#in67yDLllkh+n*v8_|<^*B1E>BI^Yrn3cp{rYGR ziE9}3rKn~aR>Y&llE`Tqlo*tS#Y(~N(%S_tz4cBN_YZ?AArg-APdQ@|B_>m#O6HO&i_QZ z0A!E_7rFcEbS}fEqjp$KeFL4(H%g_#D22AK({G6!{S@p}eT5O109gxRjK_l$*+& K@`7D0Lf-+5k}_=o delta 1063 zcma)(Pe>F|9LL|xn}4gOi?RO6#7E}8@^7W(zfxB%YyH#y*HxEk=eaw$&MY&tmWPVy z(9M!pQYWzv5eRhED}bY-s8>ue&0WzMaQD!PDj(J zM#!*D%`LXp(-~(n+wAQf&d#o!+`Rnmvj@-hoWI~Y)Z5ozI#7P`h}+}!`D+8gN=cys$d@We<}u zT}moBdz#;a<2Yi5EHYckC!0KXV#sBNwdPZny0$F&+7pTRRLGZ*M8hg7=rnIpRhuFo zVR@mq4_`4iIqHz4iDSlgS17sD9T{c{vPLa)NVk#_J98*6d&l@z@~w7F+ujZ_GESl} zSQxh3cRpL&RHbRKOOg#VVE#EXolN)m+%CVhmDDmNa0hR}Q00RR=Kn%!00a1W} zZr%*@RY#@&%{b#vx~4{o>4DuOQ*HeVVCIPBco(I;;Fv-wDn&8i0xA%JWQ9ScDYb1j zBqlWE{H6JIp=OWf5kY(jk)eP89wpCAUna+x;_E;FQ-FZSU;!+G74Q~(rn0F#s*HL_ zEl}^MHR==fmHI^&(e<>G4$@&-qT{qd-=OE|C-iIj1B9>wHp31mK^0zwH{oq~AFjYx z@ICy=@Jt!g!n89Fm<48uJ<8Uw4Qz-_va{?X_Bp%3{@_k(+&yldd&;eH8{Bt3ozLeR nc|Wi6gkR?0@L%{%Aw$R$+JvBROPCdwgf&~8t<$zl?xvyN!Fx<) diff --git a/WordPress/WordPressShareExtension/en-GB.lproj/Localizable.strings b/WordPress/WordPressShareExtension/en-GB.lproj/Localizable.strings index 0e943f4aefaf8aa5ea19e2a77b57fc379a7978c6..0934ff116e8f6af305555f1b3233a3b699c1b2a7 100644 GIT binary patch delta 1043 zcmb`EOK1~87{@dF-nQx*+xkc~qqSD5RI5emyKS0kYx*$HwrLv1>@;1w-3_~wY7h(} z^;pyq@o^JD52DbEpa(q&dJ#lKFDeRN1TTf2iU*Ty4fr^C@H+gz@B7d1w^+SceX%nD z7`AQiK2h3#pt5S&!4=9O_u=-Mj?Oi{E`MG35%1BS-uh#KzQ+E6rorRE(2j6q*Y0R+ zXgJc5$>_Og5Ko!YIM$`vQ<`nl3i%ZM%xtFj!N%HX2@4i_fMX@4kg;)0B6 zlVS(Isu4Iyzw&3@qdsJ$uLjVGrw_ntxdo1EdI80z()=J_DMpC}YL)$@{RBBqFYN2sb8iCo2UND2zvQkZ`ulQ9X-6?vPmtmLG z6s*8Mt&}rmAwM0g`ileljX$$I;j~+#|2ObezwzD!N|XhMGR@14|A4iQ&hgud2=o6D znM-ozTzS_8*DPQ`Bj^RkK@@1<4445I!42>bJO$6dYw!-tGdxqltYO-it~`@q&NJ7T zTkLwaiQU2a*);oveZjtAKXDSLa67pOH_DyjX1L4TJ#LQsz`J;fS9mYq%KP{@|B7D_ z)(YE&LqbBB6lR3$!X4qc@JSRzk9bwQEj|+8ORZA76p)B?MS3i~mA**xa;4lR$K{i9 LUIw#tqyqi`<-JJO delta 964 zcma)(OH30{7=`c5omUaC7Q~_;H((2h0*QhOh_nS2Efo7M<&m*7wqwgoGc!fIP-0wZ z2tsZ`U`2GHF=1g0ap8)Enz%5!HIZOU)Qy@LNi@WTEhWSUMt3*)?|=StzO!1qT0Ch# zbodCQ=$6(t!_oHqV}%_?o88gbRkFiedi+G$$?j99os~U%dabUSzP)GM9z z5Qp5No>FC`D=3NQ$jf=5>;~%PM?_prRP7IW)imOxyd;OaWldD|HN~J!5RlGCwLwpe zS0y=$L{(K(yhK&u23S%!*dq!Ok6cMzQe+KR(A)Rr|9(}fCGLa7Zk^-;i@B|&1S5#5c_%*Ddy}jZ^ z9Zwj{c!1iqbtvZyX}Or#NL89m>#no0lZvKiJbUeYB#vLP!SZ3FaecftLyFuI>JlU! z^<{oeO{BJXd~T;dr-~aX%X)dHf%8O|1W;#r#=xg*eeUDzEKQK*EW}KN}ZZl7rW#%JG pvPQO%b+IvaoW0LJV&AbV9N=oW4lc}{=dN>e+*d=MVGQ@@p&$AJFW>+G diff --git a/WordPress/WordPressShareExtension/es.lproj/Localizable.strings b/WordPress/WordPressShareExtension/es.lproj/Localizable.strings index 77f7731b51326241ab534465e8eb13b626b3a2c3..aaf28bca0e49d9205d728925b360d9458587f3b7 100644 GIT binary patch delta 1342 zcmYjQTWB0r7(R2`nc3a8lV}=g(&nUXE(W?bs5J#|$!1N{rpadSo6TlDnK`>TW_D&h zGrJlC4OVKQ6is_TOMUaHptfK@@kuE@D3U@&6beP(d{Mzy74ht)#d$e1KmY&z-}jww zcKUYuwill>W=_qXJ~K0Sc77qgm`JA5nQShXSxz`3sfItHf;D8E%paxvv0Ur)CNg6%S-Qn3p zt+}4xBo?!X5992paISkfiX0Q$ZN{m2{JPHu#QkhaI?N{J++Z$>d|YwqMq$?RF!fst z3+bB0%dK~IO&Selr*Rq8ZNFq3WVeLgz&I=u8?zJ2keX@Zv-?ut^To5+A_y+jeBwIZ za)Ov^FzPx!cKBp(+Ci%}hQ15yHJh6V$6I{UDdOAQ?@{)FG@uXJRtwu>{|HC6vK?*N z1m^v&vy#AmojOg7rqq(rJ?}!)K*VlAw@h7W6M|m*21-WHIJ77#`>m1AZfs>IYc??v z&Bbg|B@UwbY3%WDA5qu12;$shx>FBn0=uG}62{nFy`S|5_8!Q@Y+NBUJ5xv0LbPN& z+TzG3+27j0iIUMZ?^ahSh8DIVc5GzgLKM*oax9l$P04s1`!Ktz4znYAguNfUb&`N6510=yj~AB>eg~*z z>}v<&f2+DCO}~z8^2Wm&yR1*_E5u#Om6Z9famgB z1J|>27&qPE#K4Oq>v>#iIC@cuo9JIw*}vPe?JTB7G@+ zBmE%#B5SfCAD7eevizESLB1+~EPpEBSAe1^hBBZ$r9_p2Vk)-M2wV*82L4hv1yxs} z`lLFeCRL(dQa@2|tKX`>s{d-5_Ouq&mb6RSj&@r=smJvt{hWR?SPa&J=Y#JB?*#9K t5D{{hm)rC9&~ delta 1363 zcmYLIOKclO7@mE3cWsxtX;MOxrqi_K)h10O0<_SoiDTM8-hRh%%-B0|hOBqZ?Ajtl zZK;rYs1T&gq4ZS21tB6p3aV62Jrpigd7J==2rj6n^0*=3z^pe3dzsP9{NMk5-~a7q z`)2$4+}OGE6ED6rIW;{qJ2xLsBva{3b|H6uF~3xJ85K(gUM{bYS4LLNLgewJg^DJI zt_^Ed(?$jyhE>~f*`Gqo={Tz6^f+EdHPg+_wCpo_{*KE8q|vC0rrYE!l)A7Lk?1CQmWut5-jKE&9z*zY9QD5D--3rvQ5|6FH-Np z#58`5yVf!c4T_fChTYrdV}mWq?R%Ges?hOuvxwZ)+O#dh^T8Vs7m*l4rBzmzG6xHh z$o935W?QGSF@v~pmcP9Ib}bZ7&QGR%R5m0(DHS4J?26uXvJh#WDe@^2Y#BCm2)EMV z$mw%6L=8l9vo?i1E?l#nAG0Y%6k^LnCCt`CZS20<$$ko*Y+nWm@Cdk|225ZVBKuRe zS;rJ2Xd?E7cDcC_**9%hiWGA!a|hr-V4#=3ooIvzQPbv^(5m4&N7(Df;Qwyd)Mr^s zcz`YF-TRwnswF;g?05wgo&nooB;0W}6EjJLScqn0E_tehC4f0wZ)X4-b{8W3Y%A2Sr6)0Gjx9#i!w0xKz7d`|Jn9q~h-c?&V1g}bgKgaP z;hkgX)QZGFshEk>ANe(3xBm(K6zto}r^vlko1`iP4fc6xtvd#hmLY5 zQ6VzI*&Jv81ob`HI4Rfod|X_Jbg*v&9qerAOp8BDj#08JRj!b5=pKIC>D91nTA!No zr@%hZKjrG0cl7TP#^$LdFCz^e4QZQoWuFk{VfFqKkLwW6$WeAI6ut~Jum%|T5Nv?Y z!CmkGJQSLQR-s4uK-dtz5q=bY6@C-`6%UCcVpPnC1q(G{G!^_oTbhm(rH>m#oS?^7Hbjd{f?#Z!5=?6Ux&{PI*JQq1;kFR_-X@ zDX;$?=np&-mrGs#twjy{+C?AF6+-e`~U~M?0#`X<6-pc3t~kSM@gi zus)~fb*!)HZ|V2+uk}a4-r(tAIk+CY5qcq%51HYM;j5tWiGsg^%J#awgzx+ZxzVis diff --git a/WordPress/WordPressShareExtension/fr.lproj/Localizable.strings b/WordPress/WordPressShareExtension/fr.lproj/Localizable.strings index 001177490b16fca1bc051867edf4082e349941e7..838eb448575d020f8b6cea2136b417fe1bf95795 100644 GIT binary patch delta 1307 zcmX|9S!^3s6n(SVV>`CTS?Z9q$;;w45E?gPX(Uuo>ZH&%O;WE(9mh;OFU}<688b^D zAT_F>d{C)`UV*BzNFc%@L0AQdANT;l4@4jOIwKvh3l5%@v^!5iD~^%k9b?z!il z?f&iljoje}PEAftpH8OInQU%m_Dp`RFkgI7UMMMKvAm=%uV|IbXtk=XWs{_0tdiWA zYE@Lrf{%CyerET>7SppQn<5%1+3A$LN{W&+?JQ`jwFH>!?3$fW^%XoRSIC(OLsnG1 zJTx>kn>N?5T$WXMgYCjIql$uUxoo8}$%#U0Nj5186Vo)z^ijFA^2|4TW07OTE-ktL zmTD7=a-`F=;(zqGi-vP7j^*n*vD;TeDI}v+q#_-a5k^&HAPd=eKXBYYM{`4`%UU%o z+Z8shs5YL4e&%fRTte1MM5`-KPm)J$=w|o8QLYz8`I(-XglvlQKXTEl#% zs?hJ+9WHYNf!r8blpW13O8ej)Ch8f+i>gN8ZXxE)*7;$F>%6yciYTg#r>eGU=+<0P zEiK`Mq1!~KmC=kYFK7hY26n0%H4zWj^k&kktx>-R;CZgw7t@p)w*`MOee1c#Y`G+% zctf9065BC#m%|;kC^b(SSYDM?twvolb-peLTlEbTrM6+LnDU}sD{1s5%B&j)^&y9t zl-yQLdLA$920abwQItglIS6iqZ*Ycm1a|4%BY`4FVln1!<2uqPpoDC?6N7F=r!O-< zuA8K+S~lf?r^ENr%2tSoQFzxM>BvtS6|6W|Q;A+kP-$gSp|;Rvfgwhj-UcuZuZsr{ z~h6g_xLH?ly%T{}E;cuKL?9`FMCQFbgxG!|-i53Z33-w-iQo-O*%sZ&Xq)<*2K& zZX43ze+9i_2VC&Qm^f{660S70z;mHLTU3;w$+W2-W$J@T-5~IU*au%V4N^h(Gz7)l zm(euEnKZi!#V*pjgDCs$bn0P`AcX`tSH8SH^AUkoHqEBr2v``m<>q`n7t zz`d~TiBkT%>f$nDJtnmBoIeUTJ%jL_uf3gyqe19e&~VO>x@gZq_%Ik*M*z^z zk>QvF%n9Z+lVw!qG3Gq8!CYZJW?_cqs vbHU}{h2STl;n1?RGh3Z_N2+o**!P4|+`cC*<|c1|`YnVqve zGZT$qrC5AX?B!swPf}?SF-isTK_Bc(1RpdAzElVb(r7>e6$Gh@{<|AxUe26z{_p?3 z@Bhw5|3?3%{NWRmC#O!OGuhm9ex`7``21{Xu6#zHuNY*Zx=5Fn&01OO%31onNwCAP zTQ`|*;89#>wj=II9Y-?y3dtWM3%YAM#Wbn06@n+IwLF`ql|`IlmP0J3fzhla|JCjX zj0Gxgc@k~8EOksWmnM$Otwxi&ct<`LEHqH?q+TOpQ0hw*vV0ZmRh?SJgxYGN?=?QSFh4w$e@dm+MvR*e=i@Ca?J1xIvQn0ErzAAoH_H}0` z$&27x$0#dTy33lj zd)z`}*3*S?gF1K$ZeD)V4P|oaiRl)qIN*6qVOrmn@Uvn^JrpXATbxv>?QkLvL_3Gd z+5;K4Ugxw%IEG}Hlvrgg)|$49iN#^~6ad7>{x0!_Iw~Ex5`Iq1MIRB}{w`l*;(+v- zmJm0C+p*##t6{@!qA+cwS#u`(5L``kETJ^oMg)Ae!TVKMy@aq>iu8$7YN8!@fSttU z*dVyBb4UUZ)N0~Js3=Bbec6trTX8LHQ*ha!cAZ%ik_fD zNl^+saKMi$B#%R5!nCm#osm#JtMUM5Ywb>5sf`6{?WRm{k!`qQ3yWe zgLmLCSCqo{1@k{6E(N>93*O(`i%EkM+a@?q=JQSI(EWOpyn8`XR{Uz^}56LNcMlQ>SY|4&&UcN5BFMlcjpeV|aGNv3=423B# zE3YaSmA94K%DS?t{NeF?20e#8NzXOUn&(sRchSg^=g23w#v#Hn1JI7xV?A!OmcR@OypeN}*COkYt;nCz>FCAi)!4<@H?g0z@3k#$M~t-Le*w9DoWB47 diff --git a/WordPress/WordPressShareExtension/he.lproj/Localizable.strings b/WordPress/WordPressShareExtension/he.lproj/Localizable.strings index aeee8d8a09903556494835882759f403ab93c783..631927cbec746a5a6b4642f865105a7f42a37b7c 100644 GIT binary patch delta 1330 zcmX|8TTC2f7@ga{GqbZx2gF)`I|W+~a1f4}dX^PO{M zF|Zgo7eD;cvB9C?kx)1ijm1aDjwi+^CX>&-s!pXeJe{7=XER2$JC`%&V<9|e7IC~! zx8`)qBA;^wa+7H#pVBS$u`o7p%8rE9B2LQkaAC^Otr?=QO$WvX^lU~MROj&V0aMlV zY`VR@eJqlnSJbqslaHAL%4oNyDYlxn!qL#cM0iHc14_a9yqS;msHx2R*B%O1zliPB zj5D`%8(W|ei2!34-S42uX+{YqDn1qGu0e$9#UV9;M%`8ShoIDQr|6M+Wgpn*^A8(!)MXy1CJo(O%WYX)`~ccsXm~ zyzL%LL~|O9-8Z?wwn_0mJgpWCJ1IAl%XEXMQ<>HcOrAkOK335u8*Ee8#4)Vtsxp+b zbu(*?hxF8p(radIoCRh>G^w&7i5MMO8OkX}8qLiXp|Se1W7~*QscEb=r0*JGZf> zp%S`*)=?>iHsNt6g_hAOS~umBXbs(^6lXHv2Ta7W1rskU(z*v_`>hH+~D z(P{j^Zo2>?LscW>E2+C_4gzjLILD7$1-RY>f+N0(8c4O+zIVxyz)%r1<*1tS6YjB$ zr=BoET+~3J42d_$u-H;J`=B3CT8E8O_bRz8JW1|LO?2%87Ymd?%~K21S?XPyr5~eT zp-1Q#t<$g5XXtbEBK-yZ4gDQ`oxVZeV-VwI8kr+ZA2Y$c&0JtUVw>56YzN!VrrEFA zt89tA#R;6uJ;g=2aqa|nhC9z);y&Xx5QPLJqX2pu^`ZpQPzL2a*mIQ^`9v+>%=hp~ zKF^=#Kj5$NTm0XGEbJ48g^W-Xz7&2CeiysMlvwmW?mgmt!F$U4y%dwM^oB&FZRtN> jm+w8_lJ8I7eg7fCW@s=?@k=}TkM#Ar0N5n2#xLF~l}c3@Y1} zJef5tMV0rsAGR@_z9IOe|(8NC&7(7B%U6FgTwr-hus3N8N`idrFF;pcw z^!$XL&nJ2(M+`kbHqfq^X=)&+v9S@#Iay3ZD9&raEc-}>!9*E_nPPOtWHd%*vW&&# z8C$Leo~?ypt`;(EQ0$9RgQjih%z2(v>k(;j=^|1n>D6W@vN%Y#k~64aiv+g zY50w=uZ(rmmoc@{{j!=6c287VAp`ukeUz{6)!rt}!TzDb%5oE%GZ_ zBAer6fozhi_}*q@EG?5OWK}1NtW2^CNwJp--&WI4t9 z67C~o905P$ViAw6g6TfLN5{i!__z2!3%+-SVMg3jmci;0cDhw)zS9dXiDeZA>MmoO z`2uU9(9*GR6K4GhIOI79^S%%?1sa;u1=|}G9XJAXlE$G{$f}CqO~kKhc%o2Y8lA@q z${0iwRQPtoKmJECm=HWHJqE{pCGevZ0?n0%4JiR_Vr77$aM_ubELy=@l(j&s6bx&~ zU&0{Pi$oO%SthGwF@v=$g*cp`b|%trxq|L6NMs@D@ofV&o-|4q$h;MN04}=f;iNAN z1A!2*zC+OJu6C>U1BD+vZ$qV6gMr>a$`bhn8{ES0b+Q6E@(0$h74B%E5azsdAMm{I z=m|z*rWs()GIPvV%mwBWv%!|I-#$&?1C|Sz%5%N1h-}F;H~jCd*Ae)@_y~T=PUE|`Cj$C;ot2);6EH_3G~1#yX5}> DkO8X? diff --git a/WordPress/WordPressShareExtension/hr.lproj/Localizable.strings b/WordPress/WordPressShareExtension/hr.lproj/Localizable.strings index 291f816b5ab9b2cba0b18c9c23581a262c61761d..81fcf1a8055874bea1d8b07c20ad331f874ea645 100644 GIT binary patch literal 2845 zcmdT^OKjXk7#{D#Yp0YrDWz#4WZICXwA*b$3vB}w(jgd$OLc*JIhU zn=VN7fXV?O1e_2@P9SkYNWFmQfdglR)Dx5wLgEAx7f$@PHxHT!6%nMeUdfM{`5)i+ z{a?j%SRjUm?r5i_L^73@Gm6@=>w(=5c4}SSdmh^R@V=h?2OfE}_pv^F@KFEb1BVBX zJaP0`_IU2Z(D0KdPd)YYY3a<_k!POGJa_K-T`!ED@6^V|Coa7B(#4)jFHc^cn$BOD zDfAch(qMUZZhm2LY1w#%oUE7@)ki(gX_aPZoi}NDoCS3j1cv749ZCX<9nx@38w;D_ zGWV^#PlEsx&&y(mS21(3;2R4$lh-kEEnFuxii3tvaf>&wO_~%Ffy0Oba~GDFpxH1e zocCLpR0(r)hIVj_Hyq0ygsq%dSdeOv!$snSNqh=BVGq{5aFJSg7+XGB5!mB_$l?LV z!Yj<7L8(9;YKme3vKpF}Z&UzTJK6=gM+~iVIDTog1I2Y z#UgaP9%UkoVrad(ODYZxF^DVvOXCYMaX9S3K?Oum6EWnXD#FM^90f?=!-m!$q7h-_ z*<5g-5dNF+i;?MWgB8{kHX7nEVKIU8@M37!=6J)$#58%s71-i5z%Caty&m;L;V>R4 zqFrd6T8xB+3!4Q|mp~^dsQ~@rQLD~e(7aCs_pwP_Y}&-FLZdbX;cWyAa*JccHK`Lb zQ=FpLpqM>TM;i)=JLua6teCPj)b+B>xff({!0Qz1f>u{4w6p5-@X-bd;UMNQhoRx9 zvUQPWLE5bf#em6b1Yy--Kw@roj0jrgerw^P8&F?Fd@Sgm1)rm5LmSwpw2kt!z-lPp z@;F@~4F?+R-6Wi?`wZ>SHu3IKXDPp>xx{lsN??_2$P`V^tkxCMiUXyM}?@Av^ zH>F$B*V4DrZRyuUI?<8nNt{WHCzcX#BtA%dllpqMP2-ho delta 1044 zcmbV~O=uKJ0EMf&y1RO!#=)4Z7^6jEj6o7z@LyL=CQ+l4$v87TKba(BWx6scr_()j z*9<#?%CaCR;$NY=faWseo7WPzid9U94 zUQIVmH(l)AwtdG=McuXgr#*Z3E$-L0=x}f_v}!1PBob|n8S!?962Hm5ch_q0{w zw$i!Gh%s)_u?Xcw*T&qz1#v?@S(mCRaEMG%(IK^UrDARwlN@1odcgLm%Rf6NdrT8^ zlJiERlf-3q4pY~4T=7h46B}Vu{pcVy8NovZ&K%nlYt+Whcr8#YR#7GTm^Z~dFA*+| zTg;mr2@pF=t%^@~clTw4^+bdc6Faszr?m)-n#FT{?9%z-qNouG z#%nfWlhXcWsO1et)Mis`!C4yOA>vt1>HA%TthI@p*1q!F8RjehH+>^-IW~(|=sP7A zA2P>DwsMRgBPI4d{e_@cVT-W#L;d`dpDBwcaC7G*hyn{70~DBmN(j*ZgH_ zTvso^b=Yt#Kk6&kB@aF7Q?Itf@6?J1yxG7#V=qz>s%X-0Y^ zJ(XTauci0$8hMKxkdtyoHf2lZ@-Olq@-6v+{11e%6Yhe&(1Z>=0e^)T;P3E0{0lyV z?-ZnTD7%#&<(e|1+)+2E8`Z69S}m$))C=l$^^W?lI`~R`tGU`0?XLDfd!oHXOHeb~ zgtnnQs2>GU3YF1SG>aaiIen4drT6I(eM~>C|EACCf9p^6IbXeRxzF;Q@}2d4tXnKT G)ZtIEt4&k@ diff --git a/WordPress/WordPressShareExtension/hu.lproj/Localizable.strings b/WordPress/WordPressShareExtension/hu.lproj/Localizable.strings index 7daafbeb2180eac22550dd0a93077724a13888fa..0e377b12ae4be9ea264a509038ae03ed51303761 100644 GIT binary patch delta 1066 zcmbW!OK1~87y#gzea@zevC>+srDN+`X%#*A);3M8n${-SB(3SgX)-2jH@jtb5={gj z_`-`+M?nMyJ$O+NJSYgF2L%rbB7!GT#ESoTaAPE@FNwtyJ-vI9efE1o;ZmWZc~|JI&NorIoh%Wr6_ z`7&6<(_9U(3w#9yKmh~8-dTd-smlC60E9()8J!r32j2Za9p?~To>!ayM1E9j*2lc5TEgtOronMF`0LqBx5;UnQ7D0-FEj3 zCg6&@r@gqkdJwcT6Ca46*hSY@m->JI z@Bgcr+L_uj?VGo3-6o;d?K^hv+P$!?syz_y=-jjSr@DRn4|FZ>?m5`ow;~dah2m=x z$yEQL^uXXy<}lrOB+LI+mhzWE&5kH7v1A7urbXRNM_9ouG18?OBLfjFnt{0(o8JVaT~lktnpjY`bF`W=IU%H!rY>55Z5FYzbyXj@1Ij4J+#0$@vU6n zAG1dZ%~8!r?=u``yX7vaHdQ4q%{hb7Jhe3=N0@D!HlLPO@(sAQYOtHB8YKrUS2GQV z*Q1(-M8#w*=G{tmXihdC$na;A_(DnSLQpXQt+;XVP8@?j@!D;85 z(|DU@>7(hmrBb&NTq^9Ha;81XAHg-jSPwhyDb+L+)uzL4IXhCE&yo*F%YGQDcqUFI z03MK5@TgpkV(m0L!t*#4%mf1S^Hr{!#Gh?e+Kj~@Zo<7!EfUN zKLNrEzPgWw$|U$p+_Fw9cP#0u=r?p4T}1z)M@V~uW_`ze=X{gCDc`KTP+lrG$$R9qY{@6&OY$9gN`8fdxC!^+ sJTBp1@L%{pd>_BSZJU;Jb50DrMujsO4v diff --git a/WordPress/WordPressShareExtension/id.lproj/Localizable.strings b/WordPress/WordPressShareExtension/id.lproj/Localizable.strings index 9377ab2b44807850e5adf313b9fe5560d2bbc194..380fc878652a63820f0a076e9c34063df01f5605 100644 GIT binary patch delta 1377 zcmYjRO>9(E6n_7IB|0tI7E0-@P+A+U6ctSrv@l zA&Q2LDZLwlu8a#}5E2%;A(4d(L*ha-(M_Wp7c5w~(3K0%dov}j=H|>f-}jyGd@~Qb z9(L_aOuhB?nX~V_I~GrjPn?ULpPZVWnVp+oNM1;#Gud3eu((uQ9$Z;1UBu-zldM;& zbfacv#~KZ5E0-d5XOrZ|saL0-$G(vQ_PcO`-QoK?b7^9cH9wQao1_$rC4;g>y(&Xu z&(XzMYS+*_u9Kx%2b?Zx>_QhJuIsp& zI9{t=|MAE``#IvTRl~YRec}N|CIb^syC=eKc11t~#imXa@>*P)!`voEIh(6+h-+{T z=W#wd!9;QBa7RmLh}v*GKNL1$QXeJRasG10asu0H#A+(e%#%w#>k~RzTzr9zNrnDG z0{f)mxLd_3+as-4KV`^5bM32bN!o^|HHsmokdhsYTdnc|grI@!6i( zb9QBpm=vRhhEE;aTTaonDoQxEPi&a%%G$VW5#&24Xjot(8jbX3Gt{@h?;-Y?*ryLz zW`ymrfB9qE`POdv6oG!nUQH1{aP1HyT(uPIn0FA~#MFwQBU4wKf{@p|Kq>b8C^B8V z?nfgnZekWP#KnyowwKc2O^v$nEKGt@3Xf9Ejt4c&&KMiJ+Uxu>%jjCt;B}VpnjzOsy~)K^ToRL<7EvGJ!mdeH15d8CPJomtE01LqWsK@c_f& zo5VIZ#}Nq07DS~EF~RU|#RbChs`fJ5)ek;binXT$*b~N*U?P0N9tRY+a}{)#v5zfq z0QhsW*xm>rF6v=+S?gzC>-c10rWqH|@NAlTG&Hb94wYo6&kg9)%D}$PwwK`AVP?WR zx6J%s4MAV`@MkWP+Yzp$078)K!QR0d-QOM8?-om9= zXGp4NrvozpkimTka65zjqrBL^2$wHYAAs}ly9^;$TSq}P5{870tLPy70YoxF{&LfI z)~@$&a~jyY&3(*$%8UFUKh0m@b3EnW=dbcR{7wE_{sI3z|A_yU|4WbsL+BRX6vl-W z;X~nu@P*hb4vVjd6JkaDPW(aqMf^k3q?mM4%1X=9d(u^DSGq0TllEjz*5sJnC%+~q z3lpW=!@}=@n`AvDE{H-2RN7Pg5d9|YY>UH(L`jh&n zme0r^W|>Q9 zq((##Dx#5tU>~F^NR6cEgO?{IKBy2VB0lw@c%z6ff-mZWf@gNOefwt4`TpPk`~S{v z&u-7=^qg?&^qD80dU`SzpPGK=?78z7W)ib=^9vV~sdOfr%NG`lOUotWSy)~%(W+I! zmnN#Vq4#7QShf)eToBf67n^$G~#ZBk4&;8>}xMItpdNfH_?TG-pV{w~m`?u5+?5ZQ=kd(3@|(7Ph4_$waoPN*))6E*g6GSsJ(vYRIud z$Fg9h3Et2Sa$TsP7u~8xJmLagAMLN`n z$gVUMPT3=g^CI*3t4Sld-ct_Iu9A=h5l=?blU!&Y1ty}yl{oln2LgYilmU`99 z0=99*(D##9)!sz(#;IvKD1;FWnp^`v@F5I9j5>i9&QnLQPE8nk`$F`~3vp}x{7myv zP%}f+T>pbj!E6FLm%@O2q#Za$ZO5nxZ3k8CQ$&-F8QG^`9NZYG$68B*a&sUlsbl*h zg!ht&qNi7LEg0kj1wL%(9ru%p&Z*={^1a+mo)cXu(~u-r)xj4Sg{DH78_YKI3A4l8 zVt!*g*TaZ9`<7XKFi zlOB*Zq*tWRrLUwPq@Sg~ig;D6v&tK9$q diff --git a/WordPress/WordPressShareExtension/is.lproj/Localizable.strings b/WordPress/WordPressShareExtension/is.lproj/Localizable.strings index aaed454d7f94d40c4f0520fa5f580ec35b8549f9..1487ede9ae678a9c158c854259f1bab591f63359 100644 GIT binary patch delta 1277 zcmb`FOKclO7{_PdkAQGN)U-{=B*ke2DCH@_v-p*!!F3bA6FYGy-tl_a$*#4#Hl!TF zLj`duRfhwj;et3JxDbh+Dk{VQkl+AFNJy0shlpblNJw1D*p7n5g$vrtH~W3x|9kwt ztI?~`i;0Xd`}h-2KBYbV%!y~?wmpPq1v$&MY7mB5FW%<}jwYIue zKa18I*2B1Iw~Fz0n{JkJc*E=Ba*6~SBna52a_5ph#dg$*gQYyCxDgiesEg~7$YN)m zlAy)n`jPSF3~?QpMH_e};~|T<_RP%8a>3t($VS9vUu$Eq61OZEB0I{X^94-n`A0$gAN z2-?5{0SMs~yGNg9fpLenoVG{^7ul4$bs&k{2Bw1^3t9YP$i~Hktfo)0xLld2BvFWM z&)=+`as%v#{Q}iu+v30bHoK-z>*W+~q7Dt&k})YvvbugK5~CJu5{iS;pa8or9l3k; zG`0wWXWAk0+@O{tjTTILZiwBm9*Oe2s8KACkn)92vyZhg_LVxqZmLJO%6scA=POhiq$7zTsg)+2X52rVBq!+r|vv?*u9`vG&{ zdA=_nP_WDQ#qC1Ib5K3vFH(#G3@Kut%Vdvxq*x+B$i2hFM{8NsPmr7xQ-meaUY)Tf!hTR2M0Mm44T~POSC|mKV1F{I7@#> zW&Z-$+se^H|4E+xWsI@=)N|2c>KJ5sS$-h^4YQAx=cwm6e9a)i{oLDci}1PN-h>Wt z*kygJcLV>RAKgb!cvvrSD3y&EkFi;8;;;kapu?qXF546AP0I(|I|H-C&wx<+?>i_a zh##W=kv`DDCfEY6gA0Nr91|9VC7~n`;U(d`a8YeiVKa717)h?-FOl zl(;IsCcY!SFO5m}O2?(NWJ{k(UrIknKg+rtkspwYa!r0gJ}+OAKaxL@uPZ>&m54H~ zJfb9(s^Thv@~e7_dR%=}omW>>TkWb$-Bv$TchqmxUG+~*(PG-XhO{@dZS9KwkbXj6 w(9i0x>am~nU-X;CsF5-(<4t4R_}=)#95G|&{bt!bXTEH{Wqx4pu=hsb-xmde@c;k- delta 1249 zcma))OKclO7{|YT?>ben5{0xSCPP9~su8u|0URYj)QW zInb&?;($aS3=)*Ksz3+?$^j$euG&Z(*JUlV^+|gslpO2qNoa~=El}x1vGuhm5 zzHqu&nw}}2!Lt>URBLtC723w`3cZI@c%J0ONfoy&znCO*&OAYJYBx$rTB)Nk$M%Ws zm&1LTrsZIhm}oC*I-b9quT{!Ek@s|G($u%eOp^F5*G9gBn(T&nHdF{yPy){pwn-h@ zQ%JiD2-h&Ri^pt_xPH4zK5ClC$2D&{RmU#1Ylyh6q+&q1Pm=vRvO`kfp z#|D(%-Pw-Gbeg})jZ<%qdR}g-HEU6?UK+!8g;-o?WMrfqj<5kEqUDkVo5*2Tgon3U zkOB-aY0s0s>W@1^q9=Jy}keTGl@hpWBqcRSulkHEMYQ;Bq!*?m2t=O!(u(P+5=&>;c|ZjApH!2gQ% znz3&qto<8c&8Mk_W^n@tXnQt5%dTmW%a^=mAPl{t=UM!2IXov-Ns^?U z(m^REnUW*DEWILKl-`z>q_3pg(r>aR?~o74QTd9zD1WZ(Qbv`hl%mp7E+}s*Unt)y zD{87o-KOqT-&a3Xe^BqL_q9Q7zgEy}?Y#De_Lg>C`&j!%Th>8;R6nkl^t1Zw`c?f) keMw)@?-^Z2%s6GdXuN7%G?tCuL%pHbLM-$FyWWNV1Pg|Mr~m)} diff --git a/WordPress/WordPressShareExtension/it.lproj/Localizable.strings b/WordPress/WordPressShareExtension/it.lproj/Localizable.strings index aeeb69f1a4ac8b8136c0eed6e7115c70f5905f01..0c1b9d4055b8e21d5be625991583986fc16b99e0 100644 GIT binary patch delta 1327 zcmYk5U1%It6vyX#c4xLYO=zQu?cSu_CRP&@(V}97ZPLcX&1SRT$!0U&ow>WYW_Io} zGrKh@7>ZPUlGOWP{XmPp2#SJ&;#2z|C}Sv z2(+==nwXeaE_#~)wjieO2}eOSZQCG#Ex%C8XX=G@=&>$On2cfaEHV#0J9_OF$Tb+ikg`7Rd#VmR*ph@8{JtL0Lv{W6gPQw7Th__jrbA99m z(ZE`%W3zJfO|OV!dSwPRVb=*v;|TqTA5f-16FZ2Wl2dAVPoLfrhn}o2AR9xl*ah*09fi8KX9)Ov7ch-OQ^59MGl-t-&qj77!~t8d zlE>{X>EUV~`5o*A#5AmQugBJKM(OW*jV9x#>5iJRmP0zW*kZ6$fKCrGVdjn@VnG1C z09(W%!0$e88vRrM6)c8<1p`vgk~RW1asWHU2J;w}+bkHu?!`QGJko>o%h)jeMjeY+ z=Uf}3z$5f)d6;g?18RYBVj3x$OMt!x+1i3E-N<*OM{ma-qpNX1-`B?aP2=DKv2pW% z#y*)>PVw|YY)D@zbS(?{KJF3P7ds|~x#toi^jch@KWjHnF7NYz;aUU)_AMNZsHa;k zOgxw6!WJ-%iO>o?pu}iWQ|_weJjDJq?BX!M5qeqe59{=*rqjj5{jo~gb-RuOX+|3! ztuJ=M95HBzxUjq!C>8-W237=1H^9I&l59XyD>FJ+u%EOmFRJ0bdd3vWovic@Xrfp`5oq<5mMaN?x7E9gWFt;+vK*n7rB>t zkssyf`6a&0WBvkviQnO0=Rf1G^I!1a@i+N9f-Gpl-NK{7j8GR|5UvRCh)2Ye;)CK@ zu_ay;zY@O}f0bgAAx%mpX;nHeU6NjrK9D|^ZpoY+lMOj3KP*qnHQACkW*@)N!?>Hq_VD&(+`5KjII>XXE*JH-1$+uU*u3 pw70ZxwV!lOAJ-qz%et*^>2K=q>Obha`dxkwR6dM?r7%P zB1PpPSeL?;sumEXY@kvWNTqBlP&S1{c`QJnid1ETKwThJiUbQ5Tt8qpnwkIn=bZ1~ z>)q?UaAx+oQ}fTCjxQ`OEuTpwQ|U}LmtQHIS}m@XUV!VCjmnh`{9<&|DMb#ZUAXQb zKnbXM4uLk91|A70dmwf{n}l_gJ&DS&=Fma{RY@IzICeKz6WH1SG2&9>(uPKJ68$%O zjBAuJ`&60eN~bV&&{_h~n(sE2csY1t8xiKD(<7v*Yq3`-=<6#t{wpwcc8=PwxOwV|pvsFlYHl(e-axwl?A^sNoRUYq8 zEuxorYu(ep_Fu#5iY__WOJ+#)c3W8Q{7EuoObhTqNdT0RRAyTu@+GG_u*I$Z6 z+Mio$#C zaK6@*2f}JqQhnQ(R-5eHYfX4ChQ7!a^Nm*ZmgvQxV;Q^K~hW8hjytAAv2Gs^< zHqp^Lz{i@#k{oa@fdUV^l;n7HPS}F%n9;|Rjc`{ZMlOyj6%2wJyAm2=>)KOnS3SYr z(*P@n4(!V}KsMB2DKgIg2T!8r(ehi3H7!>8WfR_UwgHoC7iYK{@m<)=lWzm%wmvYY z!z;;}WuYLzb;8y<9%a$+(7{sVz>MqG90xX9vvC~vxHm}BgwHg4qR`AbB7!ag*9 zX7NyOXXgU3ahdM|(5KiU4hz(Zo^7kV6P|cg(1k652_FmF!e_#c@U8H>*d_LeW8z2R zw)nkxNBm9vQ~XC7l%i5h%1I^3mK=#nuS-{@YtmQJJz18I$|vMm*_MfXPJTmvOTHxU z$hYLX^52T4j4973GsP7W^^%M1mdRr~r5A}zRgidR(Y3H>Y z+85e4+8u3A@6w}sOfTw4$GWe-tY6f>)W6pMFb0hk5Be6jq?z_5RnMJ+8HPFmTy$ zlPLk?82@Y%jEk9x*`kv<&3xe!)Gas@9}=TcUl29M#K{{MePJRR?^-10a>?EAzW?v{ z^ZVY^wyAA%-H-VWKHl2)#KHECKxbEXuqPDmjr8>&iVh48#fD`it|Bdw)SpZl;l@nH znCK0nk@OgfH0#!gZdv#$Gm5{bD)3um`PSYZWT3bm>XFA#%;)PGRSexqVu>y)?Qhr3 zloXIh(4qFUtmrlzJpl%0^|gskHWRH@Y0sH&1JC#;@uuzj#6DQ6v(gtFOmHnd-k zr%r!X?B8+#+3}=1w{#m>jz=iuoY+*ixN3ZylKjy;r{v}uL=PboV}wqaM1qir43Q=* z!j>v9O;>F%*x+sz@lWfM3ktYrX(727usI7QEeGhJA`pWy7 zWE&;Y*@-XE{h zMfHOnNY!PjGh^#%(;5is@ubw0Hf>}&Ckw--tQbhL)6!_ha7vVFbG+e@ZW~VDRrqDP zO!OOS&fCK4G(ABg$x zs+H8Ntl7CE8`(%z=Je4jCD?XW)m|E!PEPED6!gPv+Sf`%oPM)}N_63mJkwYf_Tqoo z3j7yWSftF2E9aEX)o7m{_&MMOQ#tc=1Eji*GqZSEsI1lCSNI*4zzp3P?9gT|!Q`oH zFd3+pDpGI)4g`py*P(4jg9voOFodBQmkAFQAy|gXFn{Xr;H#+nse}j@;1;YaN*&DN zHKEi^#?P?Z8CQmH@wBl(%j20uEg*Wmn2 zb#yW57+;4E;T;EV#kp_bDC@^{oQT)i2Hei?DpK72klXUygK!*X^Q(>LdV7U0*^W5?W(JtU%t>aRd6T)qtg-|vus*ho zeVA=xqwFw?*eu6$_1sY|dV+hNTjZ9xPr2{7-}oJT4ZoMK=PmvP{xpA$|AhZmAcbO~ zQaC5PEnF485E(Hpn&J_0TD&fP?h!rpo>q_Mu{=|ri=Hc<+umYtx%YnWqu!7gVf7B_ EU!6m^X#fBK delta 1267 zcmYk4eM}o=9LJw~>-AdaIx+@i0_Tu7vGB0TR8R?T*+3}J7uv2sz3V+~&mMQRy)rP_ zaB(IJB*J*Y7)zXUnkdRL61V-KCfnj<`$Jufafv2GjhQ-0)J0?V2PWRNFwNyj?s=Zy z@ALb9zjsHAjuy@Ix9;2D+4Wp^kE^$@-|g}G2K<5GfzbZJq2ciJf*6rdG!~a%Xh#%Gd>CP;iepVZPizDwjk;}J%Yza2$|jG~9!Xha)De7CG72HkQb&bMi* zj#S-bWINGj?_&ldD&u9^ndkG$x`Kw?NYA8Hb4U`uK_0dRO$zT4Mi8zf%A7%OYMd8h zf~X(oADOYQsel0s;b!QLSsg1`SrY%5~6xG?v3z~ga_%JTZeN}`E<@VcF?;D^EPal zIhY^FFyU<#A_*L$0>xp6W8*qU)6~Xbha~HKpHX@IwT#{4b9WEqs2I}aoaWdD>Ro?B z6`x@r+NZ#a@NIYl&U$Wz=b;})VLLnwgM5Y9yBZ20cpZKX7vUPb5rx0PKjC>e>+U)s z#f{A;@GAVkI9f5*HGI=rf(O|G{H&!4FL4FiC3rc@T|?sBOU-ahY=Tp`(t2>qCP(#d zarYSI%|rtK&g>}LJfDp;_akIgCf81wK|BEpWz6f9@k_9lr|`FIB|c>-XT+H?@wDN* z;nAqsHT^N1Fl)paIa77tPV_IdjNto5Oc#vM*6|nIBW6I1n0OeDVPr4Iownj_@vO_) z|3n#eO_;FmWW;Q8G#4(Bvu@R_poHlGH0Hup5B+jt1*e!fJNh4hvo%ZrD;NhDyaSfN z1#ks?4t^%`h(e;0I7=)MH;HeE+r)3gI$26KkZoju43iS6kUDvUe3M)xSIF-uimIlX zs8&j%H0lub3N=lgq^?k(QmfQGnx!l0r|A}YfnK67F*QsbvzG}mFEb0wX=ahR#9U`W z>y{=q+ZX>rd7- pj^~`*ZmyZ@;$Gz@x%1p-+^Vh6w#W9QZQk~t?V`QQ?!(dp{J;C|vDN?p diff --git a/WordPress/WordPressShareExtension/ko.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ko.lproj/Localizable.strings index bf0eda063a45dcea0145d9dcbd932bc6ab5eef8f..a6422dab820272e6f96c39f9db3abb96cbcff054 100644 GIT binary patch delta 1289 zcmYjPZ%i9y9DeVA?}(-&2uK;cxbaUTgJkNmWF`#Q+++-BOA9S@SMF_laP*qqfs#3i zVa#aU+ z_xx_FV5{I_+ac@G7mgi&@o4jjmXob*?RJN=!{zSm@_4&@e5XWzuY>}@klfd=IO`)3 zWw@gq4X8uN)hKHNvZmoL=s|pstiW-iEWg8!6x6Fb?BWpeS*@*uenr+o7*e*9&Sp8> z4_m|m)YYttk{k}!)YNo3qQg)OiZZ@NmOyvCBtcyaYIbLPbGJPtMhzB3(Wn}A92R@~ zFD)0B?>d6?-jIoFvW_%E!{IO{{$n?pZ2TGt%RSkg(DYS+9f)8E$RG@Y0D=fmfd+I~ zfhnr0D0e5PsTxr=-3-tH}u5Pp^^=Q^_bc!RP% z-+cl}vItK`bXg5+-gdb+1RK<_j>5)dfio=n6$Et^4n`ECL|B)}>vYJvV)R{w-=j+T zaz)B$Yxr+sPoHaNH&;6{_-eSP9qEJ7u&H6L>a*sys8AddWhEn>DYYjX2x{32_^glB zK`AN*^vuYPH5?7`sl7Z zUK@%70B;rFeFMPHKUhkGgEFX#6$5C($z;MinVzgdQ?siIfGK_IY%t-yQ4QeIE>L5B zX#D*@ItU9%uX}2TyS2 za7Wh++ZP9^MgX&^#xI)=#(xm99I!pi_phmBLfCLbVp+H~AuSgz?8~ zZ*Ak(`AS2m5N~lscvCP?(+!Kfttc?PeIqY9X>9n+tUE9jTX6$;+r8Gh0yBRln( zcKz9lq|VNz|9=%=0mEPfoC6mKil`)x6KzBXArq&GG2$ZeF7YKXL(CKF#1F(DBtr^h zA$fpoB)iE`@(TGOwVQg9+DA1}LFyZ7k-9@|(iYlE*V0bfOTR>q(IfBBF?yWdU;txb ztV}7hpJ`w`%qa#jeax?H1>44Uus$}zjp3O=0GVORO8@`> delta 1246 zcmYk3TTC2P7{|}tb}poKCESYC9%u^P&~k}TO|=i)Vq3SA?uA|01)ODOX9tFv&F(-X zwl$_2V^VFKqsGR>R>c_1xM_geMXF(`%R*wgXqsrU*v3@rgEjS`32A(AhD9;+ax&lf ze*epPQ2e0y{E6o04<9-Dg7aAW@s1NNx5wM*^LKRz4hMUB`(ETj{el>lBJx1vpweeA z_NshH5uvWZ;i#hV0<4EoEv}=#u);%benj-OieY|O(E~1VNE;EMQ&tCqF1bGfTQpS{ zRo!B2Y>NNx?lT!-8C@aw=X*V}u86%ZQ6G+}mPiy`!cTKu76rERLn5lecJJ@<#6}@6 z@v<5?qQ=FTzM7X=g~pLnb{XBEbCxsjc$D9PW9 zVfA1=kQu_$%=Zr>iSY02v)ebvIhv*(>}nHa9d?*EFT6dR=k~gsojEG1Bln<3Y&qIS z?{EkUAoJ-hf1)mwsJp%{PN!BB02j)PXn5LK@&mZ+U+q|en%$00GesPL>2xwUm7Us) zAop}ZXrb(@aVY_kK>#PeOSc*zQHO5OXYw{V8GZUSRB5X&5-0A?WdWSaPJX*Nn*BQS zI$E|BAs<(Zx|#BA;hFWT1?edO=NnUgG|81$nRFu>TFHK~9-3*G%L>=aZoO$am2Uo? zIt$?9g8zzK;vNs=A4QfM`+o%yw$RWDtGM@THNh z;g!paS#VIWe*BPJTtx%aDJom*H9k=3jAyIdXoN;zRwge4kp4}VkVet%x}y?<`K)X`D`0|l;zoz>>F%? UO|kP_755C+#C^lvKr4ChALdZLIRF3v diff --git a/WordPress/WordPressShareExtension/nb.lproj/Localizable.strings b/WordPress/WordPressShareExtension/nb.lproj/Localizable.strings index 5ce593fb366a0601710bd4f5c13f2a731039b2a7..4e610cdc2ffefb344243473b6bb3d83afc649ed7 100644 GIT binary patch delta 1366 zcmYLIU1%It7`^kiv%9m{No*6%?~OH0i0x`XibX2sw@td;B>TVJWT!WoyR(y>%&aqa zw+%(3Nc$p4^+GL52?|0VL_wi_5U~%UzDPx+`cmvmpA^J`=!1xNW;S(R?r`sS&pF@u z&VA7Lpzrd^arMN>g~d}RQm4~P%PW~|E?+2?%4aI8YgO$mTHnxd&8VB34J$v@Y+Boe z4Bm3uxHxNiTc+pH8)A$8!XKg^b0a;4EVl3l$z@R+YpS~3TDMHEPNC30R8E<81E$dy zK9h2gZrVmNnJnkrZHNqH((C*XEKTV;B*^fx`AljpTSqRdg4lH(H#dzo8gG3!FxoYb z$wuAZ_e_F4hLOv$8xO1J{A&6d4@WDZPU!PmAPW#^0~6T501z~R13WFST_+|Y7*12 zz157lQHL{*O|Z>w_U3K0Zed6q*lJqLL^v7f&F4&FF~7&@d%|#R)Y1cNkN(3Q+$nZ? zD`qgOckF5gla_1y7=Ejo+MRYFY9rGMpaWB@p&;mm6VTKHlTde2jRaRZ+*r>|yRAk( zYhgl)3x@5u*mYC~6aZ!}+rVOO8?>c-Pd|^oM32c($rZ3=Tpm%sFrw~zAVFNF=txq zsDbGX2@dQ#$t=SzONky}l(NKZG#ppg)B(Db=%v5Mq~Xf^CT3n(KBcC11&VsVVtk0E6BExDLN1nvS!_Y}l3?BR zh~t_V)`MQleu!`zSq2MGBcQ1}7VCV7p$^3hEG`6FnmX1YksoHprPt(Rhf8}c*FcI{ z?FA3!zNYREv%`!arqwZns?otm)XL1*~ zi`-@IUG64#i~EZEf%}R3gO~U?{}}%qKg+N2uk%;=4}?KsLU>x36Aa-?;alNH;hq>3 zRq+`yFRqH`#EatF;z#1A;#~-cZ+Kb0=! pxH79$mAcYWt|-@(ZxSF8OY|g;Bo-1y5PUoru3)RPc9z8X{{Z=itE>P3 delta 1291 zcmYjQTWB0r7(R2$%Mh8t^6`t-!O5-s@fM$I&RtM%6e$s z#gO{2UUPk9!f{yh1IqpoI-gIY2F}mm3aY!bl){^S1H+{4IV&l9qY9^ek7AF87|l-n zsCSrSRBZO4JkpWP*wn>qDNO6c3y0L$j(90n3{l`B+Qe)~7#JyL$Tmb4vc1y07hpo0 zQwo!&2`RFI)pQjR+p{1h#3$^YJix}JgZow&uxTT>RHL@<1?;HOc_J5)%w%|1e#Q&&x zFv!Z{Aaevm&84x6Hz=Ex`ky(Uo`L5z0<{6)248l-@JCU9#3ae$y|iWo|2DAWuuS18}DMj>+0#Uk(lE-Vgdu(#DoK9 zlgJ{tkfz8p5iv_IUcfv(7kduo(K{5{o>%otvgA=d8;{57*T5SOp{j=HZ1Q-e*~LFcGRDA!!#|Jbkv< zMp&0N$-318S|*2Gt85%=*|G15ViE-rU}lQcowcP}Ge{C~Eu4*_w9Cc-Z|RGNtL|nO zG4Emd_Qy^B9A>Z!`DVbX9Z;Xx7*?D7RwJ&^Y%XEhIMf_Op^cvzm+Mu>JAj*MSDM0Ry+eF8CPifv>?Y zLWj^T3<>WEyTUiZ55j%nH{oybsCZJG77JooG(}gW;$`ucct`v~{85sm6Vh|ilw?Z2 zbWwUkdP{mo+LJz)?n!^jsyrl5$dmF7c~`!xJgJN+&nhM5HRY;uUAd{;QSK_Qeycoe zQ`&meG4+&MR6X^gdQH8ley^$8er-g1TAR>jv<0oGZE0_6x3y38VcpR$>sRy-^iTB9 t^sn^q^uJ<4tUoppI}@wKF2%0IhvKQY**@Ez1kFzrq6#)!wN=`;{sD2Nm!tpy diff --git a/WordPress/WordPressShareExtension/nl.lproj/Localizable.strings b/WordPress/WordPressShareExtension/nl.lproj/Localizable.strings index adf364bfd37c2997f4d8a1c9331b3707d075c97e..6c8ba8ac1e8072b89aac848bfab8119908d6fd2f 100644 GIT binary patch delta 1298 zcmX|AU1%It6rSImnVm?-gr+5JlUtjlNujZUXtiKz{u&#%`Pu)?W_P{2bFzE0lRN9o z?8cxNL@KCIYA>xt9~40-MHGBc6vPTX_)-)RrC`+;eegjo7N1nSI~(#gKj(bs`@Zv? zt9@7dE-gQ1%{_i@e(&59vGWUyOUv;@GL_C`b1V7PLb3EDE>~<=tJcVRJvG^AI9usB zY`87R%n*Nr_&)nkX|kWBVfLPQxHp{u2P#1_fm=|rtfgkzA%2Y^`9OazMra)^;0;)b zx!5MOIyN?zOL|)fS21DNrGAv1v~3jNs-H;3V}(Qwd%OyP=eb^T3Rmi{-a0sR|5*qs zwf1+P1mJUwWRiF6R?oJp+4B+_%6E98_FP9u2v}$dM4&=dKte-s1z!lzFq7qxzV02K zZPbSA2W?`rHVM!Y8x)`GUY*9Y0#1i??HoyGxFU2iLYj{4vQ z;lO;VVe`-7GrJ~_n3)+^!%ZhBS%=vB;=af@S|bjyht(l1-N9#f;MW})NDB1L^K}qO(jX-aKA^`8}fiL$buYLGw=i)+=+M++hY<2R8z@U? zq?%8Iw@KD*@PK9~*UBE$fw~qI76oRSx7kH~oZX5fx^ta$0C<_jhVNiZ*^klv>^FU6 zZ~@~D#4WC8W7r1DH&C+nEO~C37bCYp2{bp^us+MqXh)1x61-;B*4fBZ>wI$9(2yD*rCSR*!-|5yJ0-KE$G6Qur0hOToh&Ts5mb!i)oRF&xjYqOXBO| zN8(NK3-KHAd-1NMN>ORQ^oTSg6{HuWYtq~DA^Dj6pgb#A<1 zRW_9i%4OwU6k_1lUD~|FVK<~#jBL{dE#P%v!{V{i*@U}^a0L^ZyF@*3{njm+ zY12eLu6Qf)Ds~C2AaGsVWp|WgY(jqIp_R*E5{wodpV-u6gKF<+svRBoNES5PCJgZnM*n*_S?KNGyJJyyPNDMdE{_n z0bb(Nde0!!#jAb`cLzS0EUz5uDzu{_uicx4m7{&#of=IJ%>nTei3l#&SVhhpE{4OM z*KIeOPG#pz;-e-0<-1$;P&^rnrrNG-QaQnTLXXXJQJnbTA={~93n+I?FFKxuG0nz( zOihekvycLJgRGh0B94wPOqd_IWUa=l5n8qDCfn1VVHZMYdz!Nbs~GN1fLpI1%H{0S z;8i2Lfbn`u&E5#a2aDmZCD$$iceEW!puVxv+6F=!Hn_mHwd0J2hDVFx{s?Sv6I8bO z;2ggME?+yJtETep(c66V;IS`5{Uf;tIe})TS4%F`fG)S7l({R-Pg7dAz-6J}$zVDP zt=cT6&9T|w3AP-VV3pu07SKlY_K0~rR@BE%W}?_^p~*y`0iI7PD`{|RtvaYg*0P<^ z5?}+yq@GFHRt2aD>|W@}G5%}J0$8X@c-b{T4REU%TO4$u9fu#Ae50rxKF;0_Ji)e% zo=1Blot{o}Z(HHHAlZV--qH!%5A<~vIGSdR4imPi-ZiqFia^;7WAarYC~OK$_(<3l zJ{R_c+rn>Rx7a5Riyw%);&!Jz_JrIyg93u!06ARl>xl(oQ@Xw{6TxHOyqw zqtlsr5=1IYgTM={VN$7G{_&;0ZO16D%s1~t#%UPMu&n6Cx;oWVi?=1*S8T<^O6t!FZAS38&za|jr8KL|T*$3yHVC++===f5ZB}w z>T_&7#~d1pr*Kaq|7@3hni3m(?o68Udf;O2t*urz+s8aimI!mmtV3HR&a}L7*lJw( zMyF|mY}8O4CUbGO?$j4V4J|*%ye&6Hd=|dBk+5hpy2NKvZ}&QjHF9%cA}V_s1mF*F z`ED=%JHU1QI=ilayD-w?#mGMbJ7MgH8!-JB zJTFjSfd=4FdBdAB8Y+zY&5u#5FZ@qB=YbJ9oCoiLi%^FB@Dw})bCAJv@B+L9ufm(~ zHvA6WgFnOHB~{uYbxMb&q%@&P#|SLIvs9r-7DRWTG(IjCfnlCrE^ zP(D;XSH4p2t3WkWQ;n%Fs|mHJ+GwGo9|HyV^K{ zig?k38m)^8A}T0C4k|&fUi2a&co7d`5EfY^g6Kg|mhH(bQB+XsP<8qK_5Xgqw-s+I zhQf85HrGjL%hvjB+jmR}O$!Gj4UIc@?XGOv(;S_@x23ghUsWugSei_wS7fs7xsJ}R z{C={&=|DbM$py8NzZWX%i0R#ZIAWQMn#>TJR(V$w@= zGuLFg)M4YlWI~#T8R>O9<9)=@&0b6$$8z{fshY2We@yG#OEsO~R-5UT>GDOWVtJ}u zGLi77(ha&hpu29m%{yS|ZeK@)nBCOyb82gA`KXN5bc_-WTP8Q;1?QD{{54w4^Wsuo z5Q0i7P7T`4_`gckU+qzUyYk#bmBvz)WXQISVlHWGgq6u;BL1t_a*BKuE<=eHdWi9{ zz--`5gMgoKFY&H7gb*M=0~Q$cZxiT%g4)uVXfaOzTkhHBGIyPn!2b&Q z)E>|_p6-ATfR)fM{0aJ8qgG^IKOVI8bEgmSbyD>)p!&o(xCw^A2zUUVfH%SnVYW~s zToZzrc&=9(e?xWXe*BJUD56YM18}f+!Tpp7@ zD?w$Bf|V7@MkTE<<+O4~d9M7UPF5GI>(p)PZq-&#s@K)K>NE9?`Y{j<`H#{*{vjOc zE#!zzDqcQ^Tcm6l^UZbJa%&vPyN6b0EoT$W;W{}zOR;G=)rpCTl|0)*xQZ?QzBGiE zGp30=Ty=Ac3$vwM4Kp!?2xFAxr*LKS^38$K)G^{!YW}-xdBhbM`MlWpZ+hCF<`*P1 zS`2w2|E>*k0D~5=fCH)kfd-(!1s>YRWqGW>yTj8*ZBW^2l-)d!$O)R&mC03G;%3#l?mxo`Y|GMIMVU9VHvMX?ta3 zkbeaGB5AZ?*@PcaN3}wT&u_`QCrc-YX<>A-;aSviR~M{G4P~k05l3wHEjoDJCdi|x z*|3F)C>`)!%v+u<{2t?1<>Bb4Z3fsbzX$hjFLksnEf6tJowWtxHJRgM_)^P8_Z&sI zg)KXP4oqDO2_ZL3pltM{k;(9e7p!z{6LTrku&oMa0@^PGTM>_g)U|u+M2b>kPtOLrQ*7v|i#kDlQq$YVQ*3WwrHy>H))XT!F zLBA{(a9GQDO>A2)3cq|isBuJW7Wv_LDzPDOF)#)8&wzgwKhP2JI4^e%M@3uxG7COu z;#pqOM~wfKj2go`3FM z6;eL1=o`MBv!E^8;Y{Pfp zb@(~F0l$IY!`qT7#iR$NC#0iNNqSkjB3+XQ<#G8jd0MV+%b&?#%HPR9DY{}Phm=KS zRe3?VsJy9spnR;{Qh}6C~il}|qq(P%;jM;0lN!HVylg*gfIny(< zOCwkn1z*Ib9K=>csV^c#DA+1Kh(+q*+A5Cst{93D7z`| zXJb-#V)ZySEd(EQeTz6A8&JB2^Wl=&ET1YIv%H$+d4+}g3ET2ER;H0t!8XSk9UW!8 zB2){DnCm6%ywJbb1{r`r16aTTRRDnt2=IUphnOS`v9dVCHU&e?XRwVcKAVvS4=>Mg zw?edk7n}(e%%xq|-YVr>6ZxTE#c6)361v5{mhMPq=kY1-TGs?LDO&fNcDKyOCR>sF z+SkHWp%?0AhCJBY(UKAP5Cp_UWT#MNlU1c+vTPWw>ky4NcP-7BmJb*B%d^kbqnX^| zTs}l)sbd7#rpR2A!l!JZcv^9-_sj4HZOJ zL$QIlAnx(lo$Q(TfSRAf6yh4Ypx)M5HaePW1O2?1O;6dGwx`)U+Guhu{00z*`j(r) z^PV9}j6*D~O)yta&2kn>aka%#Hadd>Kty1L)LcY;%jO9d(yndsmDbXJ9og2SC{(o6 zDusoJafBmg**DSNM3p;F!7tzxZ(C?(}3<)ZSoa#i_U`BEwU)#kN5 z(e}Lhtoow*k$OY@PW@Fgw4>Upc3OKwyR5yZeXL!Nj6@Dca*;0ew>6)?d~y n>+kBH=+~n&(QNc&^iuS*=pV86Sa97ix?3rN%ROxoMLX z=R}L1T`eZtZMR#>lQn;xl+!d^qhZLe$sPWqc$mKr62qkeaY>U|1-wogra9MHc4^q+ zNVx9ND%me zbrLsMU;S#|p}{G_nyt7VQbxjPhh;?*ce^ujH@_gFJ+;116zlS1>L~w4J#ydBwxxJM z+YednA!Ad9=J-LdF|?S%UX!?eb5@Q#&-l1FEH%t=enGpJk7;{&Qm!N_Da?rD2i@9? z7m|SWG-}1R9hLif8`=@IoF*%{<1)TaKL8H&7G#xsV5zUcZ$_ciXNgTQI@4y<_rk?I zZMIO#_Zab5!`vH>sIkkUMH#=PJi`A052VW5CzSI9+sOBp@`QB)4>7-YQNtX{`3SFL z>f&XW^kZ7;Yof59DgQtl87U{*E^Xo<+7t5($}^7V2RPv0>VNZT_2n4oQ2A5`2R06N z!sH(gB*yAV6io-j!9kSbk`;Nz0kR45{B@sS636%~U>=kJ1?Rvf*aB~WkHKf)I`|HJ4}KFB zQ5Q$V$HcT)7cYvhi*HL~(nHcQDI+=3r_vYF4e2LYl}-7$T$C5(=j2WKHTjDCk$h7T z6jd>maph4ZrPP$BvZ{mw-oPJl1a=WT0W)v~GI$Zb39rHH@Jsj${8JTGQ$4QEt7p|M z^&R!9HmN729i5(;JvKL=>&sh(Vrfsga=f}wTdd!Yml`%% zZmu{79$4kK#&`3d2@sD61KdTOR z6)cCjWHCorNIk@S)Z#BF8)hX^pjo^|cuL-TTg9Sngqzs$s#9J-DBE@{r)?WC+ze{@ z6-*tki3p`Wp;K# z__UAhj{NV5ve86^bgSjItA&=0S!WsLjCeJD+UDPZTl%e8@{n-q-j8gGmldh)t!a_d=^Ea?Y{NulIQ z{=f0@EKEk+b}U+gHKxcW$n)2I{*963FT%kqg!nJ!z6i^hSaj4ATFEl!!H_TiD^$Qga17ScNa!eOVk&Z7O{A1=xsLede;O&Xav6q$ zBO1wao-{*8)bxLeylJNSr}3SU)J|w;v=6ikTKlKi?pP{zF!o05^VlV*!XbDFPC*ww4qt_D!w=yX@GE!`Zs}e6 zs6MHm*Do2+7&h)Ovc`1{ll88(J9bGB zL=`F$6)K@~Xhjc5TtI+8B7%xjd*FbOKv40hDpm9dNF1UbxNu;0?IJXn(aiUM-}it2 zzc;iuw6pY_JpJO#>`T*gXXh6dmtyfmGL_C`&*hf$D}`0GRxIIirK+xPXvt{3u5G4b zxMnnQdQ!D&s%6nHg$DhN8>XMaq25#+Yq&@fan!^GSzc_cX{uGF3g3S)JE!U!$~>y! zb8`kNsd^<6iDVPzrh+O+r5|z!l}xl$QV6P8@nmc+AFm>lp%iSIhM72niW~2IcOcyH z0w%?({cfoQTZ|)-U={zNr))I6z$xKe%co-NY9I~}XaW`JpaK+72L`YJQHCkckM8em z`?Oi>hDB^+Qzexsi}Wyjt#f$-=|!xy94F@S%Y+Vcz4Q!!h(?9XP-X%VTrtee+>CBv zlQ@F8WWB_mojbk8kNVP+xQrSaDaZr#Gq}$+u9Q^`)01M@ooeyZdwl=%`LnpBB4wdY zR71CxV`{OgOc*-BI;-55)X|!T6=Eojy2e6O#vQ-Ogi17)_b9#24|>8{$>Fx>Kk(7* zbi2273^Tl;uf#BEn7Ykjw_1=p=M4olk*Yb=PN*v_LyFa!Ktb*qS4t)-6Q`uDjZ0+^ zWkG5z)FR|H@IA}61Td&W9+-fz8v@ z;{V?xlmw6L?z$lKW}|vT!&_`g=&HYmx;)SFhJ2V&KS5{xz4UV6D{r>F5-O$((g^** zcZ5NXwbhT(1%HPpGgGT;YEdP$GmvG!!w$i#uKiNl=C?EW$bXtfJ^l19Go2Stc$_ge z40)_gbeeuFWlv;VW?8{Hm|(MD!E=u|iP~$-kOWycE+mCz;kd-COPt+&A5K-G5246qkr}NxCZiBK;{n@SO4#JPprn&+p!luhVzHH|EoP yH~e+~mj6Bfw}Fws@xYsbJAwPb!QiQ2I`~%bO7KBwE|dywgtkLhL$~OUvhpv$FMT!u delta 1224 zcmYL{TTC2P7{|}dnPqo&_A=5?A*5vrSrA*mHbN6BF|Z{qmIB=iyW0h}!_3*;Q-+z% z%vmCMX&PU(wtmq{Oj9)`iV~xtYJ3tO^vyOt)}-1Oqb6!XeDD$ z*&-Tqv}(n2bW=O3RUD7Op3pXy)YnMnBq{1ui{%q!)mbCjG__Y264WSbamQxFW;I5A zlKeY+gfog1K9B}l(<#ae@At3fvT*4d!YTZAM=u&?oc^FPyRue(`3F=0XKj4m~-YF;BZs8V-(YcoczhuVU8h}48`tUw88 z4-{0j`ME)J?9tq$Ntrgs|GajkswC5i>G=i~9+6_$Q9HmQV<14*LkX4TL<%6CLL zHj~t?HQgoIsnv=_4a#6tj=^Z83pN8|d~%3ScEQh~hvC~uTStAvRnAF}HEKJWrE9v& zsNw8Hf|3BA`8!|oFTyYW7(5+{K{_xDzeRE|q>MpVq!TVh+b1k^o0o1Pf+_+=E@J$o zqYVLPCpo7~7|AAxSK+})uAb81=5ph9)gl|*uA_E04aM3nqB!3m2Z$YYOl^+@)Ib~x zaywjWslroo4z~RJ`JYKHWAWGcUl1(i%t2bWV{i*D|29~AifEjJERHtdMra_MYwnX0 zM;&O2pV&uHnvbmV42)kM7gdo3yV2utKm0gcj~<3&;Y?3K-PefFEXk@`JVLQ9sn;(Z zg-?`EVZ%QFKg#_(&-<{TWNKM?W=HMiV#jN>UqS)2jsU%lw$UxLi@riX2(3c9&?mep zYzudUyTbRvufpGAmpClO#jIEmP0YE&rXs zk-%(#1zrxkCrk3UydX3A1^E^Ero1KZ$bSW+!9=heysL~TGm4?SuY9iDR{jj((1nl} ddN=e_xHY^Iz8t<1ITc}%*P^dS-+`}H?H^{sd!hgU diff --git a/WordPress/WordPressShareExtension/ru.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ru.lproj/Localizable.strings index 2d55982d42a67b6780d884116b440b206b94f6a2..f794d36473e3cd5c359ab7880c3ae2a425148812 100644 GIT binary patch delta 1199 zcmYjOTWB0r7@jk8W_M=xHc6YL=C%{J+a$&$jY&~0V_9L~&tzVG|L z|2x+M*8>+*{ZF2XOioQlWAQ{XH8VRmzmQ&7Tso~TXR>4^m)D+I)f3@DLElV9$(p%A zQe&F6rdby3;C1+sJp}KfmfB>D=pKxUb@{FtU5vL zOukgNG@DpdBOa%W|Ip(lG`z?v!TE|$rPNnvVvNdcFdAbpIYwa$jLBGxtsDZ5Ypbu` z^I1|Yn3i2KHlEdNWeN_W7pfOVRUjwpA$$ZMqvr^o$l(C)!-sLG@~h*T1Gtx74wr$)>G>GF9r;M|^&{wXorP9m z+C^|RK8bruAo!f$2k(1(!RHQwEY#Gk;yOy`rSwtUkB{QROjl{a86gN?NXOu&&;((5 zAN(K$sZJBc_S4-5VaFg`_YZ89*w8K4bCp0-9 zv}m}Q0xQGpwIO&vRSQvtBc|*JB<_dj#780QJ_!Nu1y2qu)K*Vz&>Td^H>JsqeK+JwO^f!SoXnDflbh(oRDX*7+J zNJGz~bLb+vif*7=Xcv8hzDK{aJS(vW*a3EoO|vhtm)SSDChifgn;YkH+-KaE+#T*G zEMS>BPT&RnEIx;~@iqJ*zRNSbz{|X!@8d`LdEVg9@~=9+a-MKralSR@yy5&=@CgTn zkgzDcA$%&_7XA?a5&Oinm=`}0zmt%(B3+Vhx;}92y1sVH?zH19DnZax#V)WOU~A=Z+5*cv|X&}i*0Rf)~;z*oY;0XFHO3%&91qp$=T~& zNUo(t<`{y0alY{PLx&sU3#iZ!6U#&pnfUUp3_+BA7`hKC2o*#>2oCW{(uo`o_rU-E zdwuo-dx2L|Cue5Q&OIHACzA82^uoE!nZ>2$?0Ib^m(|H?zF<7FW@eSfq@}HxM0IR+ zqiEWiuJ)@%yX?U4Ov6}Q+a#&eWL4WRolK0Z+nYq4HmtS9n2{@}QQLBe2YlI0k2HcD1SqzG@a&xs2a7IjuzC(y+NLJNt~wyNbd!^%8ql}X8| zs-z>jt~y%2yc92JCBw?Aq*Ss?a0dsVmpkHHnjyNOsb`ChVOwQr=Np3aHIs=1MWs#~ z<#nT6PR(tsm`1s<7}cyCF)2?^PY*P)syh`UG_MU;n4`@miX#neA_G|{k5p7dHYy`W z?F5eLge=<$YmDNaj}w#R9GK#c51yN*ZPnQRGdNW-n2Z#Q=5{7o)HSEpS2{{>dAqa? zKXND960>BBw${+E>LqQ}sn&g1KG9(jxB8cBR@HJXHz@dcQ{7>VN)MF>q9GEKT5b*U zT)Hi*D2L-3n{ACQOzDQB&e6@+Uf%G=ldNae(0^IVqMhOEFAco;k+;g-+4l??|K$Ek-)F+ z4lluV_$i7V#}lAPGY_vFnxCMI!&IXW^;A9sx6=+r@JT9tzlRq2m_Luzs&r*Wmmw@` zl=8u<+aWvz7nLxy`W}Zg&0i3Mbk;^^!}JWol5`n9b`JoE-5>4n15B5Jk|>6zQK&Me zazi*$py4L}uWD1GaXAbx2#pt!fVL5!_s}ldLpRYr`h}@unwT!;ZDyCb#oT6oVt!-p zvF+>-8)egMmepC4b=XVnTkHqy*X$1*#|61CH_7Ro&0XN0=U(Ao_9Up zc)eAj(< P{gM(<5(7iZ9Di>v*N}`F;V4?>Pa*!BFj0B8^ghLO;0|!m??QTQNT;6;6|9_uz zDt0P%ZWe3jXLrXAzC>4YI?ES|#%jq-jo7xio{qCMtI9IthP!6CE_^Ok;I^#)b&Pyg}l`U)9Ol8G1+#(RMt^LTPQ7(~by2j=wEvg&kLVth%k)*RuXn`8=q0mm| zMs%HcwBROE@yW$Rkve>eFvqc+7Hd&gns<%+d;*YKFjF_KBX@nCwQHVv-| zq&wTtNou?%N+61=$UtROKm^&yLN4;iUJ%9J)~0QpHB{Sjy_&EI-SEf^Jc3U&EsW7} zj+qU`$!Yeo2OYvL7!|u1d8Sk8L(xw6X~uTGdv**br&pW%Yo8_bNeJgu1C zvbG04!7aW)k~d5S2jp&lx`7Y3#I{3=Q%pA~dC~R^tL!esja-q8S!Iuv`DRP1Ojk@s zJd0FplZQwK>v~g3!!vo_y>LnFP`gdNj_txfI9AMTd&|TbpSQ|OapqN=at)(qby;hg zwg|0K!>mKsLtSbJB5tFBWo_pm(H)xi>MPsaOwXek9%BWcKn7-TMQu?XextS9)vjnW zhMR#BG%K^Md6Y)$XazZlVwOiKWFl*O>z7C$TnhH=HqkWt4Q+6|DzC>vIx6wPHc$oH zLv2mVT6D%LRa~-R*|bzy^%z)zVR&14Ox1a_Hu{4Li1~)#qC60s=N(fV<^b#Pbf{Cb zcrHtFKb-Y-!9BSXHUoVy8qC7);Q^4N9ar!BFea-gUe~_G**xXgR- zZg>js=kgAMt+m2|@GwlOF$nnDU{QW1ke;TxZMc^9`R6$ZtHZ5w7#_IU zKy1b*=K!BKS>tnfZ)4#!R+g?Dihy@B4sBJRP@<5`@>20o5Y<8$~T z{sMo4zr#21P5h@I3jyIF;VEHUSQK6tE(n*!J>q_GK%5W@;x+Mm@h9<)q)3|dxRjC> zq+`-)=^bfP`b@edBUzC(xkG+J9+R_jQ9dr8@xAAl{26~%_aF7Y@Bh~StN*^DDu)%S zxXLTar^+2=OO2>heNFv1;0p`|lEF;S3?2(^2LBFy8M+?28xDt^@SEWqk$sVs$l1u{ Z$nD78Xd?Pi^y}!)(SNl=8UuX?`47yaWSsy2 delta 1238 zcmX|``iDf^O^ zwrmpBp=z~kQcYJ!)H1al_#H=%#I+hpA0-8?YC72%S)(W7r!HEz>0S5HxAv^4^KxO;FeQCU~DqGnjx zUSUeOB9p6;f6qQipF7F=qes&->;P=v15aC3~hhx!GvArj+S zz63=+)1Fh5X1S3@tw-i2b;D7kZ0F18s@`}qHl1pu!UIANPnC8E$wRQ?^}&16h?+zu zqIeS-n5?2Gsvv@NW`nZNgc-RBntU&u3ADkcG>S)AYZOlTMR+V2ai?Z9y=>Up2! z%7gJeCYnLJXoEG^m`KWkN=)qrs#4_uob?~BcZG9GFiJ~RTiu{#tyEog2weB=hbN^$ zhzHZ~toIP;fgboL_;}Jlvn+#M2E*EAFpRN)=Gj8Seipr6f2p7<*6J05z0??UeS+1- z=2aBitKMQXHX|9TKM;`P@KLZ0x5H_v2ks8+gDtrqF1bqZww#4m-91VHrO-NBW>Fd@ zROxLB>wq8JZA@Sg#*|1)9V`h%qyNTbR~(_J_~ zaDbIfhJA}FAtt5^`U6K`TLtQy^pS<>*zNe#;v#yzmB)@4g4+s1>eShbDi8MH^F7N9H(<8=Ws7@ zm$^5&&$u6Xp6}-m^W(hEQ~r7WMgBa0fxpUM<9GNwf?Mbl9u>xfi^8_>fjA%ziwDK5 zctQMJ{7Ss(^0>NP*^KL&>kHSP?mJRQ(xsYoUV2OVP`*n(CR6zx`4jm|`Fr`chxepB z)U)mR+WUm}lJ`^Z4PS@vVc)#3=sV}T?05M?{)2w%f5pEW2nX5%-vz~Bm+~O!A@yG) C=4?Iy diff --git a/WordPress/WordPressShareExtension/sq.lproj/Localizable.strings b/WordPress/WordPressShareExtension/sq.lproj/Localizable.strings index a1835f508099d9dd83142dede849f6f4493c2ddb..46b329c233844a240a3415c6f5400b83bd15366a 100644 GIT binary patch delta 1232 zcmX|Pr6_$WUhqLEQWQ}X1o%&{c&%pCSJJp@?cm%jajL{|=!c?5zvGALd)z?R$}%=^$;~XI z9b8n^l(%URN2gHe>04VM<~CeJReW;6LK-p4yx-v?LYng(4|c9yg0 zg~GCqY?cMFZCiF`8kM%seSIL-aSXd9z47i47duQNlVKJAXD1rj^aUQq)?1vg;cI|p zfWQtQzyxIgK@C{I0WKV-f-thbv(4F1tyzxS0841Zg(-TFd#*D-gUk{(TEv+}e9EQ$ zd>5S-25DSe9ax<~E-qVkef@FM!M58pT+h}t_S}r=1z{wZo5fqmGu)!uOW)_ZeG_nt z7??gR#pIQiKD{IKOcjz?BM3fGbBSd-`7|l%aKTiPBeM5 z8R8mj-Xru)q2C`fw5GO0|KWyqbM4-8Y0UC1b0dvi&o&zxjaG|l=b{DC4kAWVx;fO1 z77%n=8z`#xPe9E^TW+(Y?TxkE$xY;16_Pnlp2Ta%iKa6&T(Q&_!94KTlnvm~8v13IVx-1ulA z*b`VwlbUVqSSF$0`UmMAWj?f;+_X{6(Orwp_L{tp?)44P%hHgNOSohkyNI3&#sy0q zrW?{EwS4=+`35oDjiy(yN&oa8qOSy&s2(1ruSQ1cC%)SQDRv-`os7vEF<7iK1Q$R! zoJ%3c!w#YEC`Xy*7}K1hbHOfpDg0&E>WS7Vko+;vHA&lneij^MsS|DcJ~|ibQ1dBd zqo>Oi++eWOgADvA&4usd9%w2G>V72`H$B5*!+Il>?5TnzLowMr?y}1z3@*u#G!`NH zgVak4(qn-Yb_bqeSn6ckiv5+OyfSUEHDP+)AL~$0xH{H7wx{MUNtOPq9Hu{p9;KV1 z$z7m;I@kqg!0VjA9pdJ>C2oZy+%w#1?ksnS`-r>2eZk%0Zgao#5+C6A@{jPde1U(7 zzrbG+dWA9JK_MZOg-?Z>!Z*VAq9Ur|5iu*~#izv6;(761@w#|N0+J%BQor<&G$XA` zB}tcTU)}eUJSi9E<&^xad|tjP-;{63zbk?=rOYWWD{m{;l;8Yu|DxaVf91ay=nDK2 zRDx=7E_gXq3K^k#=t@`)?+F*fABR7WL?dI7MC455wa6dQndp498ht)`HTpCCONIXd DhDd&_ delta 1162 zcmX|GDg!RrrV5(NlY|}p~m8+51Vu)rb*mvcC(x2vYup4c4v2X zW}QoDD)oYbFWNSI6pV;sU!<6dS`ic<+CtSA@ufag2x>tTixyG5KntG9u09N$;e6l! z`~Cml+3MWtJTKJHSvl;RM%3ynqgs09ad|WI5$fSvg$&T>wMtIBu%TX z_CH|K2h1jFHDhBTThp*x&nrJhPese#fbY0_;+bi3l&01^tZFu1b9duzgikbB zs&GHw%~?tZoQm#;FWrhtsRDCv?T4WYah&X|Nh9p)w-=XDK~Y zYd`En+gj$+dd;@hEmL27%yUh>F%td=PQahhDNy7C5R10MbFqPa8J{VaboB~x@%%Vt zqc4|~=SD5pDiio6)J~oCP-l}c5$lF4K^3N@UU)iC0Z*D4Dkx1^)huGW;^D?S*Q*tj z+J!tu_g-#bnn<^l{zgJ~!MR{Nye}ri+>sSb2kEd8?hEG+*Oy8whiT;uOh;}Lb1Ce2 z#L?lW*a%#TOu@O>LFVpVuM?3L_(JNH@>44|t~n(a-jFXtDmVZ)q`vd6ATVMsVS0vd zq!3wn7KvyB0eTy4qYu#q^dd@uhfpWwInZT=(SUSUXh zP*@ON7cL5)3s;2ig`0t;hXQ8;X9J%GA^2|amKYT85WB=>@g4D+cuVS+hNJ^hLK>G= zr4OX9rN2UZLobEC3Ehwb@{)X1{#d>!|1AF=&WE22pAKJ(#3QB1X5_VKA^LLkeC(6h JCHO~C{{<#EcYgo? diff --git a/WordPress/WordPressShareExtension/sv.lproj/Localizable.strings b/WordPress/WordPressShareExtension/sv.lproj/Localizable.strings index 27770bf6d81e87e93caaeb3472a950a231c74731..e992ef35d52543a5857d914db7b84373f91d13d2 100644 GIT binary patch delta 1287 zcmX|AU1%It7`^kiJG-0BOj7L@(=@lHX=7tjBduC1g*1uj&vujSf4WJwcX#gYPIof1 z&fJa0fd?f7OolQ}TmRUMQmT6JfXPPC;^lE^mo_%w1)2`zLS)v!>4lzu- zIx;dcmv&b$sS*=zi2HDU%rGz`RWFrE#urjG;_@m?UDt8br%1W}_IG;+x}K-3Tx;EX zCZit5NT+$nPW5D~8eSFgK%uP@w|Fg-LIf=%6WOSWFlrzNd5GbIAW4IdbZ_fyp*9?k zwS-L?Cc`suKzOBlew^54YPA)o6Z9nped2C7B|Qpba(;h)oG@B-+?B!^+oLY?2@9Eq z!LR)@Y)FHV+yt$Vrp1bSFMKS-0;9NMS`?mA27=i(KHQUfPA;6MhDq>rgPD%)%_q%r z4UaoEqc-o1Wo%NiC}s|BHY{!;9`*HR(k8RG--B>n>I)56hL7#Rze4|NZhN*|lJa`T zUQANfbnO;KYt*9Nop3N&CZ^>>`=&0o1!1qffujEKC^lSDVSdXtH#KS~%?-8q_d8nR zmXchW;F9Aq%H3xCl6wuuv`zRVye18!(=Z#@1&^zfnt`(X)k2ptsRnTg{MLC)*aKtX zUGRRSx2J~Ues7)k6Ao<8#ff1Mmv04LP-Ad1JPRMFhkDaIB+nKmsAcobcok~p)23yW zNS!!3-%Pj%CIUlnLm3XwO)|4i8KW+IA1d#)xNgEjP~stQxlrs+V57RDYp@>fkucB2 z@yImXiXMT7w0;N#w_=5{<&wL?A-D{R5?mqA4sj zJ`~Kh)j(JDM0Ziw{Lm1KtFs9+mtjj85)N!j(t_D!v*em}SPD?MqfW)<{7953->7f3 z=l>9Yz}>(wTnwGi7Te(1Xj=%A|=_~1ubYE6wU4BB&$n)}x z@)h}-d{e$9-&2sHD!S6A9971Zf?_F5Sq(G-4}#g?LNQ2#8^LdazXbmbZmDs#slKdU zRo_y73MnBi?m`NR=XpAdQv}!PtkQf+D1n2N8X;6#o!Z5EX(HTWAq{Q1YUJ2E4ly1@FVmh3|al z`_4HR23{R_B{MlUe|}*xo=B$BnQZPt{>;+yO5sUdEa{|NsT!*_vtCepQWh?nM5DIW zY?wCIwW!vxT?)Hg_sIlaBbgae#!ZvvZ|^b2 zQ8r*(9PLac4Qi5=IH66)Y7J??HU8N^uEnCw<2r#MZeTQ*bk;Ro!G@JTYq`Xs?J3zQ zUDqhCxXXzub_}bc5y!C|xFrt2xNu*1d5-7?*3LJmVOuU7@^ufVy(N=L)|Htt+`8eq znT2N2G~DXaG`32_WISVIW6;ZM{!E-Oy*6xe_a8J-0%5d<3}m4S(oh50$VF5e1c4ib z0zU{fPW7h~#3UsOv%--_F2tBy9@~El&bAgzO*IKJ?;J_D*0gzJ*rmy2PY`NR0C%prq8 zTE5iTE5RUz`jzZCFJPmk{9t6UE6Qe-TR?*58IrvuhFnlj!+iKeWX0Q0(>>+zQYZs| z$>VZ1X_#ga*D&k`{{Z5jfMbEfaLM`Oo;D1VI=UP6($2U9g3V z!t=t*!fV0};Zxz3@Tce(hr~&7O57B;#1DKUzH#59zP#^k-}k;BeRq9(9fKVg>mA>A z?D$1Vkh-L&q!*=Y(ihTqa-STNSLCbmTk>`JL;0rsbs!peJa9R%9egbKLhz&DP35pM wqD(3|rKo(Yd>J|riiPr_?a-ajFX20puE>NssE())q4wc9@6R69|Bkx(52E&d+yDRo diff --git a/WordPress/WordPressShareExtension/th.lproj/Localizable.strings b/WordPress/WordPressShareExtension/th.lproj/Localizable.strings index a3f3bcd2550403072478c5d6db51c1e58c788207..e4c0647a0d663598bffcf67b00a2be150ebbdfa7 100644 GIT binary patch delta 1230 zcmb`EPiz!b9LM*~|5@ZQG_=LtVxKKoDRyaXgJ1>O?zVPuDeeAk*=?7%J8yRgAVxiy=!uIbg9l6q>ZKteCX%2B;>Ck^NO-ebtBoXH%w#6-O}@Y1 z@AKa0QP-oc&50y9dFu7?H{{c2-aH%KJF!oT#V4oUnogX1J9&QQ!t7iso$1f!@&oe= zr!E$Xi%X?Tc(h#6NjBPSnrpcfY1peIA2-~F;kxvpdYS&p9j2d4FLve9#3U6jlg6v0 zq-nD&Wz%r$6!GESg`{CEqZ!;F7n3&D4XYN3L>4m68p1VfSoBl*5SowbI`VMMO=nZd z#dIAzEQW~V*iL2wSC+5+)N^G26!9u`|G#T^#AQt~8CJ2Ap7hi7eGWZWXoDhuF#T2z z)5r2lp^j}Pzd_S>Js)CHH#{^;HR-*MVhmdqVz%irGvpnQ_Htc(N$aIcVmB@F3XKZ$ zo%1p5k(%wS6%v+99IriNT^UpIaZ<%Arbm0!KG4@HnicoRxprUrfDeZk&lBCi=t9#o zY|AaCj7lBFY|A5-M+;&|$Yur7wlA=xb&eq2!BwwSf>xR)6F~GbJOV>i*arbT%a&sh{L^K36^7sl zd>(eg6AyR|rXOwM6pbRJAF}6Aoi1?3hHoT*!C9}%1eli5( zFwCTm{#&X6!!Q9~ZPAUgI1BIe*ipQ%#@d9~JI01GhQBNiKEv`djIv0AP2|{d`?v9B zIsn!W?y^o`XX|7P?OE>k*I^6}vc%t0nfKkg>6SA7Uz+z;*(Hs@0fv)+L-a@SnD2X| z#^8F`siW`(208sd>JBJ@wZKN;!@yO*g8^_3%z+#*z&f}BHo32`M2JBun~8`a-%X-I9Km{*VJQlq2$KIVZm>Uz5L7 w`jz3Am2qWGag`sGUzFcfO&wOV>ZW=_{Yw2_-BO#N)g-mq?4~BVNt6A^Zn{a<$08Gg}Pe7e0tDwc$dszGw?Ygn%HW4}#bS6$C{P6amRDAb&*^I=<5ZFrLkIaoq)n>XuE&2v?a{P;k>wJstk6ue@uilfpn}fnn~e9N$iPy@*`j(y zH?6{qB<5p=K|Q_VuB6v>$FwSxIgah{J5q$7#2v6Q%M4Se=WCv6TQ2XB+xr)r zK$(nRl}niJrs=x5`TAPbbk~>Tx>aITKWA`okOQG4mtwj>ZGIIU;b%w}m(e48TE+lQ;Xx8nbOa&;}SglswDr9Sh?lq^7kNc~N?QHS8_*i#ljy>-c zL+wM653V+$sN3w2hos&^t@nY0j)MvxH#4c1Hh2Z+yNjXF z{p)6$ZH+EX8Ky_){Xe%a)eoezspMial|L#)@g9K>_m|-?3_&Lxgwud35cRiF7y$wZ zlKV>REW-)Eq7Ouvfq}g)+e~PI$6*=<{)q{s_N+r3j{E1k;k&c@KaH`qfXaj}|Gi=8 z^}!zVzacnWZfqtRkv{qag#CjU9DxW-|4T1_8+Gs18tCMf(h0jP4UhZ>btJ-|z0pMi zy8csHRvX(-8Qn)&*+-5B(BKCK>e}{E$G1u6_T@SsmLe|;s<0(+;XPqTxGCHgz7l>x zt>_TyL)Xy``Wk(Yen!8dzr-H#lo%KDVo@~2s_2QYir2*V#m~hbF~U1}@E!bzM5I1xT#89or5)*(d_q1cpOy=9U4BEpBHxfdl)sc`e^(@>O}V68 zQ$AI`RemB036taGEJ=_YF^EfEA@7op$#>*Wm8!#PM%`3jP+wO+P(M~0X5hcg_$@Av(` z|NmU-xzw|@Frh>rKXyD8otd3GF~1N`Bva|k;?l|Na&9GmimVniS}d*Ur^`lavQjZ> z={Q}tHfZLk?yT#M10M-h_?a7kZQQdzouCFSxXA?Bpm{}^udW)pvj!^P-nBHNn`L#5 ztkaV-7SVLGG%_->l(cIqDG?p6a9!%+q^7AZDLIK$d?uGzBQ~p2scl|yOO{>B z9y1+kyN!X_R7GRgjeoev5Bf7lX^~V7H?MTURovzoSBttq;XyGXrJH=X#kW74o28mg z)Dsm~w@ha_t{2wSDa&-J$vWFoCRsJ8>RM{GVlWfc@rK@1Qg;pJ_aMB8Qp+v(ZTXTS?NgO>9-8 zCavkFrS!t7@FdTu;FIr{lTm8xmZHL_e*#_>JA6yiu3o0hBpc3p55X5=1cJU{xa=cv zColwEp>Funa}6@yNHCMIOq-Nhdk0Fw+fplhDEGmLKMMW9ue^(~X4pF1mfGPp{}68} z{d=4B!j{L|dK#sf9X5Mj1l5=&20Kl-8i+zZ9P?8=#vY$rHw3JNbkBC_l}Y`0M-)euw`> zkOf5;6H>ym@T72FcvW~$_&~TNB2g9Jg2Dt0^1C2Bme*a delta 1157 zcmX|9OKcle6n*pa%y`BhrAd=0ze(IAg!~1CiV{JRMosGc>c8WBc*(ptgU2&wJPuft zRuwE*m9`hDgbivbAk;_%ijY{54Xuzshy{x-D!M`4Kr2ue6+(h%JFt51>7IM;Ip@CX zo!2`ro}M^4J##8NJ2$_ucsde|#S_U?dMPu#yt2CX5?3~TnjeFExc|L z&9${s!L+fijcNtE=)xaN!&nq=ljI4qiA$!NiIBX#O|)6V$}LBXjV*1`wp?Pl6^?2r z`LB0?a%>u~#}C%UV}@&z)d+D*j#U{_fDhQS-gJdUo5y(qy-a8@9dpVW&SJyL%veR@ zxYa4Cab4G3oGq?Ix3FVaS&cZ3?Z90=1jF26|H>TE4XiB`T*J1C&>=MRC2AsLG1`?p zVHER5v6x&et(!)1Yk3k|8^okMLqkK*#A;$PLa1LGc9`~N6Gah5+sHr`$|4OFkd2DS z)p~$qdSH$1fgBSQ6H#K44Hu@kuBVq~X<9Y5{{>D}1jfe;1+$!q7j*2_@=8t8Th?~U zaF2VUEjCYHqp3BFYPy3r-D=zi;S(K}`If+HO{!L``Gz3h)l_$2qmn~qLDWQS0&nCX z%ca`Zg297wjm@^6OHb*Bt1VLGr3)n`8js8-YOFBAcf$kUv+$ABEGELZtP>Z$Q5)eO zDb$`vONdk>s05+WIPTN8L(iNY)Znl(=FyR12YcXbpbZ+u9@z8np!w^84|Kv~`6i60 z^}Wc%NZGI`tOcHwo`UoK6~PX+q8R)nHNc3J&6glZB*T@n2m7I7O7qFW}X<97PQl3IE-0*gDcCeX_>pM^+!0-M>rVCnq z;~bR?UGgAY@Z?}Y#&AyTfEPs(4k0TO{;rn6dpr1rv|+{edG5(hHM_b@LG!yUQf=Bq*jqY!3< zekiwM2bz6z=a7WT2+${J7k!EL(GTc8Q^zzhz05Ucm-&&o!~DuTVE$%1*rV(un_|~k zoi$mPJb!foLUmpY&X+gO^SuB6 z@A1e zerXB}^_r5Z8Hv``*1>QlCrAlNgDb>dA=aU)f-NPiP(bBGbMmb#>|8dN=j;Z z?E&|m=Yg#xQQgvPU^yD$uyf=8=`J)4Um*l{yu>LWUmXi!5;l!#n1LlQ0ZU^hW?{C_ z3`x>cTfW1IRMVzqBd{)2vxR>6AU;<)J>9 zfT~GCAZ=@=VGWC#k`#QVVFSatSsgJXSqFk`3fZ*ogeZ86ypgbG>rUPt_!il~yLGjw zZNYo^zWM0RZc!09^QJK>0y~>AkOo?H%vJ6;1!-E+^rCbz)X@@op8iL<5Z;};ok%HB&*IBLfVHAe$!{&M<*%Bq zJ@7nT3H#XH)#}u?cs|L_&Z)r{{TI*F-!TH*^iCH{SIA-*~ZHubA$11H+zR)|kdvV{Wt zf_@0T&OFv8BW$e{>wIwLy1(o!o!|bqRz<;}aR4?$x3V4-xr)qDaJ;?>b(z|rF`A=YbOZe)?W5!LI1T7Y`Wk(g zsb}I%ObhcY6JTOYf-xA#yveayqg#KC_l+t{2YG*9xW681KL)tO8@`> delta 1283 zcmY+CZA=?w0LSnBuHd91oiMX;DFKQT7>W448DL~XS)sj_wv?CM^&Z-z*SpeQ*$NI~ zP`9K*z-J>};(Ih|-~%6w3t!B>sELtG&7AT9<;#L5;wDjN0&(8cV@7jdp5*TT`@cMw zcjO(jp4MZ>JDz>6^Mt#r+v62{{+>WE)EhqD*FP|LQj{Vx7>dS};pVtHXn(-3iINI< zL+3L|RTpKxiBIZj1OA3P4h!Na2pk1NVn#K>UXaj70pF=;@jkB-iScc^W&q7VjDix} z)jn)8h7`C&)tCBxilKr5FEBDG4Vfh2o5Vy>2vK;qm;kUAuc{CEQdwS%ii#HQ(9$4f z6kLKWvdkM|G~F-6#FU~%d5}u!DY!;e!A5fLz5OSEtcZM9(ol3Q4J&C!U5^#g=QCA- zqe?oVq|<@!jHD{*SYMl{MSyB@8X6j4Il;35FEIP+@DhHYLd673#6~d%)37MUV@XWM z(wM>5KoYNkgG3FC<94=304j(Wu$^>1(%WgSWzqf(*p34FTarmN8}=t<(XjRkwwb4> zp31^?(zV~`2B*!{98J8O5{Hb!+`Hog8TL^RmJC=?`Lxv=+9_vw>23|Q1G*rygs)YM z#9@>S?jN+ti zjJOvrR^)ENYFqteBH(i0a2HQ{##Y@$D8^LB*fZel*!rD)a__5M!mKTy1z=scnQ@`K z63S=Vk55RR^u95cg?e}0!^Qu$ERbhYwdqj@^FeP^F;zt1e^ zEGYnxH}W+v|2w)8ma&cHO8*v8n?FW@h~7%GHtA=$!d5v8qM0)uush+vg^Wuc`W-Bx zveNV8-h=Q6S95q`V`4M@f6m=xYQPnjLzI_sFP!{f^hMC_&RHxOl|d`P7*}0p)iZlq z>7>H!x7f!H3|o!RENF(^(I)rK%%LM3rW3S;NN}2~oy0gSi$UytY!UkiyMnD?8+a*R zj@RPv;EVWGd=m z>SvI_e$dzt-$y~=KJILB}$Tp9NS dcZBnE8h46&ja%TBxD9T{M%z-hQ}A>V{}1akz_$PZ diff --git a/WordPress/WordPressShareExtension/zh-Hant.lproj/Localizable.strings b/WordPress/WordPressShareExtension/zh-Hant.lproj/Localizable.strings index 348c6d88c05421279a4722f5bbd693c10c74b243..1abd4023aba280059aec6458b22cc9044408c21c 100644 GIT binary patch delta 1251 zcmY+CU2GIp6vyv;&$bwcrls3b+NpGFF`=cz5MGd!wzSZ8yWbz(-7YgbcXwxZI6LVi~&OPV% z|DSX2Qo~Y1$$f+y8a{DyWN38EIqq_Mygq**7z$5BqOr;NDM3s~FqulrnXKaP%jJ}r zfCo-#MHn2A^(k4`(dT3VJ-|EBRjhqizzY?aFnnI22;&^*Du{}#rx8!=ZVivhYL<5j zQ*dHb6C_zpb$54%efb$)NC`6f0B_|(eUii*LQ41gJ)<#iTF9GOJj~~{yziKh$X@!s z#j*1^G!khmuFD40O@_~BR{WPeXl0|bIPZv5ee#yB0=z%~MIZweqyP_cKm$53_)bI+ zUCnjdJ}qia(+$hmpd=f-3w2kK6g^m#~pguCx9_kkin9}ky zkrS#8^F~E5;?GHDxN=8jqN_GI0Fy#NG2+}F^cmJj_wq?uf#?wBU;x=-wWB{l{n zS>VTWhODW2)FUU-e7~j|P&F$X{i+};kT*2GkW+W`f(j1wGKr*VIW5GzxjuVpy%lxjLuD3q?UzD(K2kC#!~dy}E%o*U-yLc_C?3 zO18D3B!+{9E^+4XHzo1Py(<^dWA-!(Gp%^+DZ<#s2?tPs1bA0%=5l&iEKPgwitdAv zPzqj{eOR1dPLGc*s$0!+?5VTHb=}-aFW~2HS&vd_?}E$s+-z?un+SHT+T0LyTSs!g zzLIo;Y&(jx4QSrRwMuX!^iHN}UXnbt^JCPr@_xcu;{;_)3Rw~MzJ288-g1E8O zta02LQ;%*lJJ33Nq*?UPl$w@*J@e_s-?o~i)y=>!RyXi;yZ3RSYvJ1LPm-l!O)FbjQ~e@f!3__YgPT@7U9Y2f@;4%ChUdG=g_7E=- zJ;Wf9B5o4j5Szq9k|jCv0O=>A!8D^g8_>{So~g{fPdZ0gR2YGkuJU2{UgqA2J)vP395X#&)p# p*+XoM71;~yRrWgjE&Bs|kA1>Ev$flf+eU05n_yFH1(dAe{{{M!oCW{@ delta 1286 zcmZvZTTC2P7{|}t2hg%&wk~bj4p3l;0>#)qsH6fVg%*~*Uszz7*>iT8-C<_gon5)w zn39%aE7X%Vlthh}#27Il-V&pUeNdYijfqy2Xlu36_CY0*8XL92nO!vTl6je&bH4xO z_Z_nyv(CF(4|a4OI^5Om=yAH-9O{=C!3O`LgQXDc>1cx|`a4k_)AM&Qh1TikkYPeI) zptPQM3AR8e=wdw6?->%)vKkjqI<2MgCAtbXQd_t5cOxi^LQhJUH8q2GG1fYNA*9!9 zOa%_enPEAT2{^NoB4>vB+C(*q6ho(>p#j@SfeW~i(O1Lgh@IsM@Bk6yfDBX+2Lea| z4P<~W)L@FJ!4a|sCkYGZ_aFsDb=*!>-q+h@&?>0?9kAUD=xa%(l(Dcc1x3BUE7)fI z#kKSpzCzh|cpYfepk{3nU|NjndEA@u5yXA;_R@huR3TI7jV*Mgt!%S~$-!KZQNr6Q zMw2*B1$RU&md)#enx@_#YKO8eIE|O5AJ3L}eC{rPK^5R5DFEmRj z)>tcE?OI`g#o;euWgGuN*rL~ zLh`>-W|m~Yp3GP88O%+icE@7{G3Z$to-v7NmOBh~&AhNRZKgeC=Ub2l0k`WS;3aOKilFyJYlJApWQxsK4JwUZmkkY6r z>L@iwEl}sF_oz$MO`4-?=?Cc+`W(GPzroziG&1{`Fq2}AGbfqT%p&s~6MmOjV{S0F z*oW9oHqB13)9fksEc+Jw0sAR?nZ3$hXMbeZ*$vLdRda{95T|oba?9N7+!x$6?g#D{ h?l-=IxAXgXKOf diff --git a/WordPress/WordPressTodayWidget/ar.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ar.lproj/Localizable.strings index af5b8b80e354e992cb14805171ccaaa1ba1338a7..6c9421b1ec59b0af6c0029849022b314e2328cd4 100644 GIT binary patch literal 146 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGiM{ z%4Wi*&gRah4XVtBTAaqF z&gQ~q#O48{4b$1Q*erouFE%G2S1X;(mCXdmaA(tpa8-e_IzXldh|3`;rL3uM;~m8S P28@glnt>Ba!>CLE=DZn# diff --git a/WordPress/WordPressTodayWidget/bg.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/bg.lproj/Localizable.strings index 4585917ca077c606c542e1535af13145e6f4ace5..bc559250bbe235cec476374c9dbc9726aba9b47a 100644 GIT binary patch delta 114 zcmZ3-xQ;P8sURn_xWvHV3L_IU3o9EtM`&1PYI$*lbAE1aYFtZW^rao zeo=7_i#&@1iz$mSi#3omV=-YdV6kPfVDZmnkz%o9u>lI&vN!<+9atkY&qa!Q#&$D5b2a K?-D+-R}lc$^c!RV diff --git a/WordPress/WordPressTodayWidget/cs.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/cs.lproj/Localizable.strings index a1d88876607e1dd2646ebeb4e127bbb80ec871a5..88e68efb8923bff22c6027cb7d9e0dee8cfbc054 100644 GIT binary patch delta 109 zcmdnMxPdV=sURn_xWvHV3L_IU3o9EtM`&1PYI$*lbAE1aYFtZW^rao zeo=8ILli?kLlQ#~Ln1>JLn=ca!`n;-Z=g^vm{Y>=kTH@Wbz+Y6M165i4nc7RHGQYh If{7Cp04S>;qyPW_ delta 133 zcmdnMxPehWsURn_xWvHV3L_IU3o9EtM?_d=ab`(=QE`NGer|4RUP*CiSY~Q@ai~vb zc53m&0&%ZQ25*LZhFpeJhCGH6hKG!i45^t6Q9z+2h9ZVUhAObc+gyeappXJXF_5bO bRGkSVa~R$N6}{yUlv38zcZXVtBS{xCX zTb`OzURf03m!FcEn37l;>Ykrdo*wFvpO%)%At>2%#A`pfrq% F0084%9^3!` literal 128 zcmYc)$jK}&F)+Bo$i&RT%ErzT5tdn;S(0B=9O0awo12XVtBTAaz? z#E{BR%>2%#A`p)`z20sx&hA_M>c delta 95 zcmeBX>}K>zD#*z!E-^5;!pOwT!pg?Z5fPSIoLQ1zR2<=)pPQSSS5h1rmYG^!9O{#q uomw2>lv-SxoRL}->2%#BRp)`!r2LQIC5R3o- literal 84 zcmYc)$jK}&F)+Bo$i&P7!VzJa#hE4fMa2=$`MJ5Nc_qc6VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQXL5S0J` diff --git a/WordPress/WordPressTodayWidget/en-CA.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/en-CA.lproj/Localizable.strings index 12a09925a2a74e1de5008d8655d80b65b868f41b..930d90f1f3ce39c8fc30e99e35c25ed835e40c7b 100644 GIT binary patch literal 84 zcmYc)$jK}&F)+Bo$i&P7!l7ZAspZ8H&iT2ysd**Ep+1?}sl^dtnZ=nU`9;MXg5nBl R3}C>>2%#BRp)`!r2LQIC5R3o- literal 84 zcmYc)$jK}&F)+Bo$i&P7!VzJa#hE4fMa2=$`MJ5Nc_qc6VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQXL5S0J` diff --git a/WordPress/WordPressTodayWidget/en-GB.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/en-GB.lproj/Localizable.strings index 12a09925a2a74e1de5008d8655d80b65b868f41b..930d90f1f3ce39c8fc30e99e35c25ed835e40c7b 100644 GIT binary patch literal 84 zcmYc)$jK}&F)+Bo$i&P7!l7ZAspZ8H&iT2ysd**Ep+1?}sl^dtnZ=nU`9;MXg5nBl R3}C>>2%#BRp)`!r2LQIC5R3o- literal 84 zcmYc)$jK}&F)+Bo$i&P7!VzJa#hE4fMa2=$`MJ5Nc_qc6VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQXL5S0J` diff --git a/WordPress/WordPressTodayWidget/es.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/es.lproj/Localizable.strings index 4e60a6297c7c7c528812ea2aee1d85ea23a578fa..b2d7bde8997a6431e5bb33228e569d757a4e0087 100644 GIT binary patch literal 128 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&Xw zBo;>l<$=7~UbiBS;Aypq&n4nc7RHGOku9|kaBWQ5QRoKPA@g#!R< Cmm#PC literal 128 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBS{wzI zP0TAvEsh4t1Emv-GV_bWA;QHGzNrf7rNt$Q9D-8Hn)+65ehgs1$OxesIH5F*3I_mp Cmm#?T diff --git a/WordPress/WordPressTodayWidget/fr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/fr.lproj/Localizable.strings index b720e6d2da4fa23a0e4c9b96970bd890de04c2ae..8907edb7a4e08534610fd4ffc66541eab4eff222 100644 GIT binary patch literal 129 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&jk znpzwKl}yYmN-a)f@KTUuNMy)l$Yn^41glFeEh^>^6jxBwH*xf100Txw2+hC=rD0SA E01g@-p#T5? literal 129 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBS{wTgl6D`(l9Cl E05m@zu>b%7 diff --git a/WordPress/WordPressTodayWidget/he.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/he.lproj/Localizable.strings index e8485b8b84feeff2f7150714bb9a91a263b6e278..3cbc9cead4b63562d9e6b47d7dd5dc20f7d5ee5d 100644 GIT binary patch literal 150 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGh_n zne_?lP1d^%3ak%UpF!AZtgl!vv0i1p2*j__fiic1DsHkq2dPVAy$2M3&iVqx;Sdy8 WP}6q_Oke;5Mn(wDzzL;cR4xE78Y{B^ literal 150 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBTAapu zkM$z!bJiEEH(BqdvA$xx#CjDdaFz8{7VBl!Cm>M<1=a_w&min{AmMrP XN?B9i#xsrq3>X<9Gy^A;hEcfyPCzTF diff --git a/WordPress/WordPressTodayWidget/hr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/hr.lproj/Localizable.strings index f5989ee54aca752cf5703c51d5724c6e1700044e..4bfea9a0f5b5f05155dbf5b964065e03d76b2847 100644 GIT binary patch literal 119 zcmYc)$jK}&F)+Bo$i&RT%Ertd8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&gd zl$xHCnvxmmoez>vEXs@t$S=-HEy*lN&B@B-5ENHX)3XVtBS{xIQ zU!0X%l39|Pla(3ioexrwSdtZW^rao reo^tnSm}vQ($bj>J`4{TN*MAP(iswg^k;@_4nc7RHGQwti46(>;;|bB delta 87 zcmZ3$xPZ|isURn_xWvHV3L_IU3o9EtOGH>^ab`(=QE`NGer|4RUP*CiSY~Q@ai~vb pc4~1ZgAc<)h7yK+hIEERApLowhwMasX$}rSDP>K4r`U-N3IMTB8f^do diff --git a/WordPress/WordPressTodayWidget/id.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/id.lproj/Localizable.strings index 4bb763acfa1f9e67d9f73fced125b3fcc89df94e..ba399c842d5ed22732f93d46d71207055c5ef4ee 100644 GIT binary patch literal 134 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2=DD znwM3Ym!6mxFCgfh4^om?q?-+8gansnCq@ON=A}baaR`blsOek!1~GsEBO`=n;DpjJ GDi#21aU+oc literal 134 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBS{xOS znwMUhmsOgV9xov1oexrwSfrZ`Wkh;IhK diff --git a/WordPress/WordPressTodayWidget/is.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/is.lproj/Localizable.strings index 79fe09d1cfbc5cfad4b039b72065b3e429b6c614..6518cf4b8dcb018ab08c66b115dd34b8e114bb33 100644 GIT binary patch literal 138 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2=1& zlUh=enU|he6ysQuQJS7uoSK`GS(M4(!|;|Nn<0^*h(Up&j3JZZLzsJNaY<$ohoHEE Vn!c5L6ayGAGD2tuPACnd5&_D*BNG4s literal 138 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBS{&w{ zT3nJ@6ysQuQJS7uoSK`GSrp}#lUh=enU|hel*!=3@RlK)A(5eoL4l!+A(P<)hoF?Q VroNf89|IULGD2tuPACnd5&_>QBM1Nh diff --git a/WordPress/WordPressTodayWidget/it.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/it.lproj/Localizable.strings index c0f099bf2a2eb01d7b5f8da97885144ffeac4be3..d867ffbd4051364631ddccaad34bd4a39b4d1601 100644 GIT binary patch literal 120 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&9o nq{5^#LqO6|V8KM7d?tsWxPqF#nY{}G7%(zIXa-Iw4Ws-4^Uoe< literal 120 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBS{wzI oO$5qk!sIiq~G0RN62egFUf diff --git a/WordPress/WordPressTodayWidget/ja.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ja.lproj/Localizable.strings index aed2c57f0ec9ecb5b14076ea1888af8f696386d1..ef8e329334520d5cf105f6c219951fb1180690f7 100644 GIT binary patch literal 118 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGi$A zQE8Q0kYcde;Gw~1gA>UHEXVtBTAbXa z73$x>nqsio;Gw~1gA>Ue8I@M41<3|3K$y!RD5b2aZ)Wet00xYV5SoD#O2a5$0F6o= ACjbBd diff --git a/WordPress/WordPressTodayWidget/ko.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ko.lproj/Localizable.strings index 5253b6a2504e43bc0570e9c85cc559c46c69988a..969d98030d9382789073d88b049a2513fd3cf7aa 100644 GIT binary patch delta 83 zcmd1H^Gzzq$t*50Fu20V#LU9V#?BEMmYG^!9O0awo12XVtBTAab) z#E{BR%5tN#kT#}hu921_HSd@}ll$n>FniuJmT9u!gomy1PAt literal 130 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBS{&(= zT9u!goeGo=N=-~I$pi|8r=}LACzhq=#e^p&7Nw*XW#*-)=5Yv0DQoImI{7ew0V5-X LX5fUXVtBS{&t_ d4-!i(s!HV$lv38zX8;36MhMNo2Bl$?6#zx*6-@vD diff --git a/WordPress/WordPressTodayWidget/pt-BR.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/pt-BR.lproj/Localizable.strings index b5d1f5106a4e4fd059db437c6b062afd7bdfc7de..526513124f944fe6885f97a99b27234f4adc0302 100644 GIT binary patch delta 110 zcmbQoIFC^;sURn_xWvHV3L_IU3o9EtM`&1PYI$*lbAE1aYFtZW^rao ze$m7L8Ix=VXNG)+T!vJJJcbg6hYUpwnLs{JM`=+>W=djl6j*IyUP)>(hoHEEn!ZeSA(tVQA&;Si;UPm2Lne?vQBOuF!nw4lBr_$km_txXSySIC JFlS<&0syI`B31wZ diff --git a/WordPress/WordPressTodayWidget/pt.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/pt.lproj/Localizable.strings index c55de4f67b58a7309156975ca9dd7bbdcb436205..444dbf8337ed1eb8d57a7d7b2ed9371481447966 100644 GIT binary patch delta 108 zcmbQkIEPU$sURn_xWvHV3L_IU3o9EtM`&1PYI$*lbAE1aYFtZW^rao ze$m7L8KZ0lXNG)+T!vJJJcbg6hYUpwnLvJVn0tP4Nq%t@SY={fNop~NptypXzE@(# H#2N(vBLX48 delta 108 zcmbQkIEOJHsURn_xWvHV3L_IU3o9EtM?_d=ab`(=QE`NGer|4RUP*CiSY~Q@ai~vb zc4~1HST-@QB(*r3!I>eSA(tVQA&;Si;UPm2Lne?vQBOu7%ss!jB)^zLP)b=--zqR? HVvPa-U@jqy diff --git a/WordPress/WordPressTodayWidget/ro.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ro.lproj/Localizable.strings index 4495df1254a841be7fd38e3da03b7bd5a151a9d8..450cfdac5ac32c73bd5a4f82b51e6d3e189216ec 100644 GIT binary patch literal 148 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGiHa z#*oQS#ZbzS$dChKF)}k0F=R#ol>=2L7G-9pGXyZ?07a95YDySVqrx()GD{MHdNVl$ Y#TC@_-2xLBz<`kvLNjneX&99a07WDsb^rhX literal 148 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBS{xOY zS(RCm2$au^0?GrW6N@r4vl+q|G8w8EN*NLvazHFbW`-h$%yfnTh8!R>87NW0kjfz_ XrL3uM2P28@glnt>Ba!>DWk)bAo= diff --git a/WordPress/WordPressTodayWidget/ru.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ru.lproj/Localizable.strings index f0eec549edeeb56b4363792adafac1a6146b2167..274ceca905a56dc2f719db1fde43bc19963e64c6 100644 GIT binary patch literal 166 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGi5o z&*H#h$KuFh10XVtBTAalq z&tk{o$YRRk#9{%&rYzPh7TGLPKtUTIG-a^`3L3CD03|IlfodJVs%?Oz6Oiql&LYj? h$6^SS1qqpQ2udky>bpeeF@OOhBZOw)gwimo764Nr9IXHV diff --git a/WordPress/WordPressTodayWidget/sk.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/sk.lproj/Localizable.strings index 7421df12aa4bc5f7e9b9e0f3b87157aee24132f6..dfbb16c9e56261bb47d8a1fc5e70d152d3a6fe23 100644 GIT binary patch delta 97 zcmeBS>|yjxD#*z!E-^5;!pOwT!pg?X9vYUJT3#ICoS&PUnpaXB>XVtBS{xCUS)5st zUsN0wm7i3USe2TWnV8Ao&5+NK%aF>D$56uXkfDenb)vpF2Zx}zf||aS@5CGh0OWZc AcmMzZ delta 97 zcmeBS>|xYTD#*z!E-^5;!pOwT!pg?Z5)qbJoLQ1zR2<=)pPQSSS5h1rmYG^!9O{#q zomxE6S6nTV!J8qUA(tVQA&;Si;UPm2Luyo1eo|3lRcc;lB8Q-qvZlUUkOigD9V0g`t!%)bO$&kyCn!ykTWK;oh2}3?Z5yNW^L2(5&eN$T>1~6b` NgwPC}P#Q+X0swcWA20v_ literal 134 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBTAaZU z#*oQS1;ix``3yx2ufx6bL5fmC0}_j}Qqvg%7+y2vFcbn6N|M&F@OOh NBZOw)gwil7764&VA5j1R diff --git a/WordPress/WordPressTodayWidget/sv.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/sv.lproj/Localizable.strings index 4b77f9b69657efd0ec655e89184b28c073324768..2bd17743754a8c06a31fcb0bdc80f02f2d71b597 100644 GIT binary patch literal 146 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&Ip z07!+Fn|FgBZOw)gwil76990kCEox5 literal 146 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBTAab) z#E{BR%P-Gbbl8H?b%?wFoT4AttZW^rao zeo=8MA0wX;pE92apJfIg3!gfWqsZsLr_JZiCz;O2#b?gv!6yl%b@`+w>Wg!72#PDH M>05b6O{`J?0G9n4IsgCw literal 154 zcmYc)$jK}&F)+Bo$i&RT%ErzS5tdn;S(0B=9O0awo12XVtBTAa-% z!)M9o$>+eQ#AnLq0VEaqxcC$^_*nSV`HX-Z2R>~+cRtBfK1Lu{nNNhzG99SE9H>+h eNbB-RaR^E&YwEj&CozBlBO`=n;DpjJst^FNG8!}h diff --git a/WordPress/WordPressTodayWidget/tr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/tr.lproj/Localizable.strings index 96ac2430000f61bb60e905fb671d8f99c0260f08..04ad691c7f0edb52a5fae8c1b09d56227baa752e 100644 GIT binary patch delta 105 zcmZ3*xQbCfsURn_xWvHV3L_IU3o9EtM`&1PYI$*lbAE1aYFtZW^rao zeo^tnKyjsr$o!(x+?>Rs90n(bR7QD*RE9i;OokjV4I+ys>PvEP2#PDH>AU$)>{J8* D#HJpK delta 104 zcmZ3*xQa0_sURn_xWvHV3L_IU3o9EtM?_d=ab`(=QE`NGer|4RUP*CiSY~Q@ai~vb zc4~1BLli?MLnT8ZLlHwNLkYukATI~VDvF5AFDlK=Ni3SEFFw&z>% diff --git a/WordPress/WordPressTodayWidget/zh-Hant.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/zh-Hant.lproj/Localizable.strings index f4786a453be66854faf9b35bf8c4846735ec9e18..8b65bf722b27aea6d4a2a7718d44c78c16fadfe9 100644 GIT binary patch delta 86 zcmXRY2uLc($t*50Fu20V#LU9V#?BEMmYG^!9O0awo12k-o2?CQ!A2_IlE`2R&WSPDQoJRSUOA$PyhfB^Bx=k From 59aeb8b8e645ab0f456749848aac4c1176a57152 Mon Sep 17 00:00:00 2001 From: Jeremy Massel Date: Fri, 23 Apr 2021 16:57:35 -0600 Subject: [PATCH 095/190] Fix strings --- WordPress/Resources/AppStoreStrings.po | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/WordPress/Resources/AppStoreStrings.po b/WordPress/Resources/AppStoreStrings.po index d5dfc4b3caca..87a47505e193 100644 --- a/WordPress/Resources/AppStoreStrings.po +++ b/WordPress/Resources/AppStoreStrings.po @@ -15,8 +15,7 @@ msgstr "" #. translators: Subtitle to be displayed below the application name in the Apple App Store. Limit to 30 characters including spaces and commas! msgctxt "app_store_subtitle" -msgid "Build a website or blog -" +msgid "Build a website or blog" msgstr "" #. translators: Multi-paragraph text used to display in the Apple App Store. From 392d4e5a9a95ca59cc289e255635dbf9cafd20d9 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Mon, 26 Apr 2021 10:17:57 +0900 Subject: [PATCH 096/190] Revert hide Jetpack section header This reverts commit b7903b4d6b588bed89e61ae5518ec071742b62c5, reversing changes made to 262877ef9175b0b1997b5351915d7052a8e24405. # Conflicts: # WordPress/Classes/Utility/App Configuration/AppConfiguration.swift # WordPress/Jetpack/AppConfiguration.swift --- .../Classes/Utility/App Configuration/AppConfiguration.swift | 1 - .../ViewRelated/Blog/Blog Details/BlogDetailsViewController.m | 3 +-- WordPress/Jetpack/AppConfiguration.swift | 1 - 3 files changed, 1 insertion(+), 4 deletions(-) diff --git a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift index 66e9cc40b7e8..33b409d6cbf8 100644 --- a/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift +++ b/WordPress/Classes/Utility/App Configuration/AppConfiguration.swift @@ -12,6 +12,5 @@ import Foundation @objc static let allowsCustomAppIcons: Bool = true @objc static let showsReader: Bool = true @objc static let showsCreateButton: Bool = true - @objc static let showsJetpackSectionHeader: Bool = true @objc static let showsQuickActions: Bool = true } diff --git a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m index 50f423832c41..f3b2542d390f 100644 --- a/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m +++ b/WordPress/Classes/ViewRelated/Blog/Blog Details/BlogDetailsViewController.m @@ -860,8 +860,7 @@ - (BlogDetailsSection *)jetpackSectionViewModel } NSString *title = @""; - if ([self.blog supports:BlogFeatureJetpackSettings] && - AppConfiguration.showsJetpackSectionHeader) { + if ([self.blog supports:BlogFeatureJetpackSettings]) { title = NSLocalizedString(@"Jetpack", @"Section title for the publish table section in the blog details screen"); } diff --git a/WordPress/Jetpack/AppConfiguration.swift b/WordPress/Jetpack/AppConfiguration.swift index 22270c8a1630..c75a8ebaeb12 100644 --- a/WordPress/Jetpack/AppConfiguration.swift +++ b/WordPress/Jetpack/AppConfiguration.swift @@ -12,6 +12,5 @@ import Foundation @objc static let allowsCustomAppIcons: Bool = false @objc static let showsReader: Bool = false @objc static let showsCreateButton: Bool = false - @objc static let showsJetpackSectionHeader: Bool = false @objc static let showsQuickActions: Bool = false } From 743b0f813ad64480ecdd774e665e43b38967196e Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Mon, 26 Apr 2021 11:20:04 +0900 Subject: [PATCH 097/190] Define stats highlight colors --- .../Colors and Styles/UIColor+WordPressColors.swift | 8 ++++++++ WordPress/Jetpack/UIColor+JetpackColors.swift | 10 ++++++++++ 2 files changed, 18 insertions(+) diff --git a/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift b/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift index bbfa1bcc453e..a59625e2b525 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/UIColor+WordPressColors.swift @@ -50,4 +50,12 @@ extension UIColor { /// Note: these values are intended to match the iOS defaults static var tabUnselected: UIColor = UIColor(light: UIColor(hexString: "999999"), dark: UIColor(hexString: "757575")) + + static var statsPrimaryHighlight: UIColor { + return UIColor(light: .accent(.shade30), dark: .accent(.shade60)) + } + + static var statsSecondaryHighlight: UIColor { + return UIColor(light: .accent(.shade60), dark: .accent(.shade30)) + } } diff --git a/WordPress/Jetpack/UIColor+JetpackColors.swift b/WordPress/Jetpack/UIColor+JetpackColors.swift index b01e9f62792b..5691e25295eb 100644 --- a/WordPress/Jetpack/UIColor+JetpackColors.swift +++ b/WordPress/Jetpack/UIColor+JetpackColors.swift @@ -50,4 +50,14 @@ extension UIColor { /// Note: these values are intended to match the iOS defaults static var tabUnselected: UIColor = UIColor(light: UIColor(hexString: "999999"), dark: UIColor(hexString: "757575")) + + static var statsPrimaryHighlight: UIColor { + return UIColor(light: muriel(color: MurielColor(name: .pink, shade: .shade30)), + dark: muriel(color: MurielColor(name: .pink, shade: .shade60))) + } + + static var statsSecondaryHighlight: UIColor { + return UIColor(light: muriel(color: MurielColor(name: .pink, shade: .shade60)), + dark: muriel(color: MurielColor(name: .pink, shade: .shade30))) + } } From b5f48455b6a9f10d21f9c803c31a68466b9a4304 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Mon, 26 Apr 2021 11:20:36 +0900 Subject: [PATCH 098/190] Update Period Chart to use target specific stats highlight colors --- WordPress/Classes/ViewRelated/Stats/Charts/PeriodChart.swift | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Stats/Charts/PeriodChart.swift b/WordPress/Classes/ViewRelated/Stats/Charts/PeriodChart.swift index 5e6fcd7ad1ac..484ca2d0ed58 100644 --- a/WordPress/Classes/ViewRelated/Stats/Charts/PeriodChart.swift +++ b/WordPress/Classes/ViewRelated/Stats/Charts/PeriodChart.swift @@ -178,11 +178,11 @@ private final class PeriodChartDataTransformer { } static func primaryHighlightColor(forCount count: Int) -> UIColor? { - return count > 0 ? UIColor(light: .accent(.shade30), dark: .accent(.shade60)) : nil + return count > 0 ? .statsPrimaryHighlight : nil } static func secondaryHighlightColor(forCount count: Int) -> UIColor? { - return count > 0 ? UIColor(light: .accent(.shade60), dark: .accent(.shade30)) : nil + return count > 0 ? .statsSecondaryHighlight : nil } } From 7d9f48fe85370b3225ccc2f48102bb9177fa6eb0 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Mon, 26 Apr 2021 11:50:33 +0200 Subject: [PATCH 099/190] rake lint:autocorrect --- .../ViewRelated/Reader/WPStyleGuide+ReaderComments.swift | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift b/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift index bb43e18a86a9..97e92197d531 100644 --- a/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift +++ b/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift @@ -13,12 +13,12 @@ extension WPStyleGuide { .font: WPStyleGuide.fixedFont(for: .footnote) ] } - + class func defaultSearchBarTextAttributesSwifted(_ color: UIColor) -> [NSAttributedString.Key: Any] { var attributes = defaultSearchBarTextAttributesSwifted() - + attributes[.foregroundColor] = color - + return attributes } } From 14cbf9d31ad76e0e23b50446df8417ad064d606f Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Mon, 26 Apr 2021 11:58:55 +0200 Subject: [PATCH 100/190] Fixed the magnifying lens color in search fields. --- .../Extensions/Colors and Styles/WPStyleGuide+Search.swift | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index a008bdcc79e2..d8f32744ce67 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -24,8 +24,8 @@ extension WPStyleGuide { // We have to manually tint these images, as we want them // a different color from the search bar's cursor (which uses `tintColor`) - let cancelImage = UIImage(named: "icon-clear-searchfield")?.imageWithTintColor(.neutral(.shade30)) - let searchImage = UIImage(named: "icon-post-list-search")?.imageWithTintColor(.neutral(.shade30)) + let cancelImage = UIImage(named: "icon-clear-searchfield")?.imageWithTintColor(.neutral(.shade60)) + let searchImage = UIImage(named: "icon-post-list-search")?.imageWithTintColor(.neutral(.shade60)) UISearchBar.appearance().setImage(cancelImage, for: .clear, state: UIControl.State()) UISearchBar.appearance().setImage(searchImage, for: .search, state: UIControl.State()) } From 7881bfadc07de2e43ce740b49c84811517c3faf0 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Mon, 26 Apr 2021 16:20:02 +0200 Subject: [PATCH 101/190] Fixes the coloring of search fields to use Apple defaults. --- .../Extensions/Colors and Styles/WPStyleGuide+Search.swift | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index d8f32744ce67..73978fd563eb 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -24,8 +24,8 @@ extension WPStyleGuide { // We have to manually tint these images, as we want them // a different color from the search bar's cursor (which uses `tintColor`) - let cancelImage = UIImage(named: "icon-clear-searchfield")?.imageWithTintColor(.neutral(.shade60)) - let searchImage = UIImage(named: "icon-post-list-search")?.imageWithTintColor(.neutral(.shade60)) + let cancelImage = UIImage(named: "icon-clear-searchfield")?.withTintColor(.secondaryLabel) + let searchImage = UIImage(named: "icon-post-list-search")?.withTintColor(.secondaryLabel) UISearchBar.appearance().setImage(cancelImage, for: .clear, state: UIControl.State()) UISearchBar.appearance().setImage(searchImage, for: .search, state: UIControl.State()) } From c59ddc0baf9e3e02e8dc178789c402b2c49cbd43 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Mon, 26 Apr 2021 10:48:03 -0600 Subject: [PATCH 102/190] Update homebrew before installing other tools Fixes a bintray issue --- .circleci/config.yml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/.circleci/config.yml b/.circleci/config.yml index ca2b8fa2fa02..6aa351a6cfe7 100644 --- a/.circleci/config.yml +++ b/.circleci/config.yml @@ -200,6 +200,7 @@ jobs: - run: name: Install other tools command: | + brew update # Update homebrew to temporarily fix a bintray issue brew install imagemagick brew install ghostscript curl -sL https://sentry.io/get-cli/ | bash @@ -251,6 +252,7 @@ jobs: - run: name: Install other tools command: | + brew update # Update homebrew to temporarily fix a bintray issue brew install imagemagick brew install ghostscript curl -sL https://sentry.io/get-cli/ | bash @@ -287,6 +289,7 @@ jobs: - run: name: Install other tools command: | + brew update # Update homebrew to temporarily fix a bintray issue brew install imagemagick brew install ghostscript curl -sL https://sentry.io/get-cli/ | bash @@ -316,6 +319,7 @@ jobs: - run: name: Install other tools command: | + brew update # Update homebrew to temporarily fix a bintray issue brew install imagemagick brew install ghostscript curl -sL https://sentry.io/get-cli/ | bash From 26a8a28b9c6e2b4afc89742255f140d74b8b232c Mon Sep 17 00:00:00 2001 From: Leandro Alonso Date: Mon, 26 Apr 2021 14:06:01 -0300 Subject: [PATCH 103/190] Update Automattic-Tracks-iOS --- Podfile | 4 ++-- Podfile.lock | 15 ++++++++++----- 2 files changed, 12 insertions(+), 7 deletions(-) diff --git a/Podfile b/Podfile index aceef57b7bb3..3173c69892bf 100644 --- a/Podfile +++ b/Podfile @@ -192,9 +192,9 @@ abstract_target 'Apps' do # Production - pod 'Automattic-Tracks-iOS', '~> 0.8.4' + #pod 'Automattic-Tracks-iOS', '~> 0.8.4' # While in PR - # pod 'Automattic-Tracks-iOS', :git => 'https://github.com/Automattic/Automattic-Tracks-iOS.git', :branch => '' + pod 'Automattic-Tracks-iOS', :git => 'https://github.com/Automattic/Automattic-Tracks-iOS.git', :branch => 'task/update_explat_endpoints' # Local Development #pod 'Automattic-Tracks-iOS', :path => '~/Projects/Automattic-Tracks-iOS' diff --git a/Podfile.lock b/Podfile.lock index e8877ca8a8a9..42fcda1fd1f6 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -21,7 +21,7 @@ PODS: - AppCenter/Core - AppCenter/Distribute (4.1.1): - AppCenter/Core - - Automattic-Tracks-iOS (0.8.4): + - Automattic-Tracks-iOS (0.8.5): - CocoaLumberjack (~> 3) - Reachability (~> 3) - Sentry (~> 6) @@ -438,7 +438,7 @@ DEPENDENCIES: - AMScrollingNavbar (= 5.6.0) - AppCenter (= 4.1.1) - AppCenter/Distribute (= 4.1.1) - - Automattic-Tracks-iOS (~> 0.8.4) + - Automattic-Tracks-iOS (from `https://github.com/Automattic/Automattic-Tracks-iOS.git`, branch `task/update_explat_endpoints`) - Charts (~> 3.2.2) - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) @@ -520,7 +520,6 @@ SPEC REPOS: - AMScrollingNavbar - AppAuth - AppCenter - - Automattic-Tracks-iOS - boost-for-react-native - Charts - CocoaLumberjack @@ -566,6 +565,9 @@ SPEC REPOS: - ZIPFoundation EXTERNAL SOURCES: + Automattic-Tracks-iOS: + :branch: task/update_explat_endpoints + :git: https://github.com/Automattic/Automattic-Tracks-iOS.git FBLazyVector: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: @@ -655,6 +657,9 @@ EXTERNAL SOURCES: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: + Automattic-Tracks-iOS: + :commit: 85a0ba0d440df70374a2fbb24868eb829148d0d1 + :git: https://github.com/Automattic/Automattic-Tracks-iOS.git FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 @@ -675,7 +680,7 @@ SPEC CHECKSUMS: AMScrollingNavbar: cf0ec5a5ee659d76ba2509f630bf14fba7e16dc3 AppAuth: 31bcec809a638d7bd2f86ea8a52bd45f6e81e7c7 AppCenter: cd53e3ed3563cc720bcb806c9731a12389b40d44 - Automattic-Tracks-iOS: 87e14e4f06f753f02a6e0f747824e766bae7f939 + Automattic-Tracks-iOS: 4f079f4ca5b66d59a4959204ffec3b4465944adf boost-for-react-native: 39c7adb57c4e60d6c5479dd8623128eb5b3f0f2c Charts: f69cf0518b6d1d62608ca504248f1bbe0b6ae77e CocoaLumberjack: b7e05132ff94f6ae4dfa9d5bce9141893a21d9da @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 2d5cb8b46a7d06c27483a62bab0c650a86cf1449 +PODFILE CHECKSUM: 8898781bd06b9f9068d8fefe6225faf10abb1816 COCOAPODS: 1.10.0 From 48fe6a90a8c602d81a3ec2c8146b09cbaad863b2 Mon Sep 17 00:00:00 2001 From: Leandro Alonso Date: Mon, 26 Apr 2021 14:06:16 -0300 Subject: [PATCH 104/190] Refactor: AB testing framework to register events --- WordPress/Classes/System/WordPressAppDelegate.swift | 2 -- WordPress/Classes/Utility/AB Testing/ABTest.swift | 11 +++-------- 2 files changed, 3 insertions(+), 10 deletions(-) diff --git a/WordPress/Classes/System/WordPressAppDelegate.swift b/WordPress/Classes/System/WordPressAppDelegate.swift index 43463afe982b..eff2cc9f2f59 100644 --- a/WordPress/Classes/System/WordPressAppDelegate.swift +++ b/WordPress/Classes/System/WordPressAppDelegate.swift @@ -180,8 +180,6 @@ class WordPressAppDelegate: UIResponder, UIApplicationDelegate { DDLogInfo("\(self) \(#function)") uploadsManager.resume() - - ABTest.refreshIfNeeded() } func applicationWillResignActive(_ application: UIApplication) { diff --git a/WordPress/Classes/Utility/AB Testing/ABTest.swift b/WordPress/Classes/Utility/AB Testing/ABTest.swift index 174ef5b56fdf..d2f0a91aeee4 100644 --- a/WordPress/Classes/Utility/AB Testing/ABTest.swift +++ b/WordPress/Classes/Utility/AB Testing/ABTest.swift @@ -17,14 +17,9 @@ extension ABTest { return } - ExPlat.shared?.refresh() - } + let experimentNames = ABTest.allCases.filter { $0 != .unknown }.map { $0.rawValue } + ExPlat.shared?.register(experiments: experimentNames) - static func refreshIfNeeded() { - guard ABTest.allCases.count > 1, AccountHelper.isLoggedIn else { - return - } - - ExPlat.shared?.refreshIfNeeded() + ExPlat.shared?.refresh() } } From 5a1f82c83067649ea17157b8eb71abd13bf509e3 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Mon, 26 Apr 2021 15:05:52 -0600 Subject: [PATCH 105/190] Add methods to create Core Data objects. --- Podfile | 4 +-- Podfile.lock | 15 ++++++---- .../Likes/LikeUser+CoreDataClass.swift | 29 +++++++++++++++++++ .../Likes/LikeUser+CoreDataProperties.swift | 2 +- .../LikeUserPreferredBlog+CoreDataClass.swift | 17 +++++++++++ 5 files changed, 59 insertions(+), 8 deletions(-) diff --git a/Podfile b/Podfile index aceef57b7bb3..b456fb08f1dc 100644 --- a/Podfile +++ b/Podfile @@ -47,10 +47,10 @@ def wordpress_ui end def wordpress_kit - pod 'WordPressKit', '~> 4.32.0-beta' + # pod 'WordPressKit', '~> 4.32.0-beta' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' + pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => 'fix/15662-preferred_blog_public_properties' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index e8877ca8a8a9..c34bc966731c 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.32.0-beta.5): + - WordPressKit (4.32.0-beta.6): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.37.0-beta.1) - - WordPressKit (~> 4.32.0-beta) + - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, branch `fix/15662-preferred_blog_public_properties`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -511,7 +511,6 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator - - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -651,6 +650,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :branch: fix/15662-preferred_blog_public_properties + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -666,6 +668,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :commit: 68aaf3bc68fdfba5a75c221fc8a994ddc31ad1f3 + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -747,7 +752,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: f941a43d9a181897f5b54bb256ef01ecbdca120d + WordPressKit: b2fbd0667cdfc7440cb398b4287fb8f4b371c86e WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 2d5cb8b46a7d06c27483a62bab0c650a86cf1449 +PODFILE CHECKSUM: 90d09cd3f07e47a46ad5ed3fe6ff76786bfddb50 COCOAPODS: 1.10.0 diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift index 702cb7bd202c..8741713f465a 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift @@ -3,4 +3,33 @@ import CoreData @objc(LikeUser) public class LikeUser: NSManagedObject { + static func createUserFrom(remoteUser: RemoteLikeUser, context: NSManagedObjectContext) -> LikeUser? { + + guard let likeUser = NSEntityDescription.insertNewObject(forEntityName: "LikeUser", into: context) as? LikeUser else { + return nil + } + + likeUser.userID = remoteUser.userID.int64Value + likeUser.username = remoteUser.username + likeUser.displayName = remoteUser.displayName + likeUser.primaryBlogID = remoteUser.primaryBlogID.int64Value + likeUser.avatarUrl = remoteUser.avatarURL + likeUser.bio = remoteUser.bio ?? "" + likeUser.dateLikesString = remoteUser.dateLiked ?? "" + likeUser.dateLiked = DateUtils.date(fromISOString: likeUser.dateLikesString) + likeUser.preferredBlog = createPreferredBlogFrom(remotePreferredBlog: remoteUser.preferredBlog, forUser: likeUser, context: context) + + return likeUser + } + + static func createPreferredBlogFrom(remotePreferredBlog: RemoteLikeUserPreferredBlog?, + forUser user: LikeUser, + context: NSManagedObjectContext) -> LikeUserPreferredBlog? { + + guard let remotePreferredBlog = remotePreferredBlog else { + return nil + } + + return LikeUserPreferredBlog.createBlogFrom(remoteBlog: remotePreferredBlog, forUser: user, context: context) + } } diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift index 41470f892ed5..0a3a5af23f70 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift @@ -13,7 +13,7 @@ extension LikeUser { @NSManaged public var avatarUrl: String @NSManaged public var bio: String @NSManaged public var dateLiked: Date - @NSManaged public var dateLikedString: String + @NSManaged public var dateLikesString: String @NSManaged public var preferredBlog: LikeUserPreferredBlog? } diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift index 25f4aeb19d61..70dbfacd5da4 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift @@ -3,4 +3,21 @@ import CoreData @objc(LikeUserPreferredBlog) public class LikeUserPreferredBlog: NSManagedObject { + static func createBlogFrom(remoteBlog: RemoteLikeUserPreferredBlog, + forUser user: LikeUser, + context: NSManagedObjectContext) -> LikeUserPreferredBlog? { + + guard let preferredBlog = NSEntityDescription.insertNewObject(forEntityName: "LikeUserPreferredBlog", into: context) as? LikeUserPreferredBlog else { + return nil + } + + preferredBlog.blogUrl = remoteBlog.blogUrl + preferredBlog.blogName = remoteBlog.blogName + preferredBlog.iconUrl = remoteBlog.iconUrl + preferredBlog.blogID = remoteBlog.blogID?.int64Value ?? 0 + preferredBlog.user = user + + return preferredBlog + } + } From 8de804c16e55f31cc03da52083bbb7e5b8110983 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Mon, 26 Apr 2021 15:06:32 -0600 Subject: [PATCH 106/190] Add new method to fetch Post likes and return LikeUsers. --- .../Classes/Services/PostService+Likes.swift | 68 +++++++++++++++++++ WordPress/Classes/Services/PostService.m | 1 + .../Likes/LikesListController.swift | 10 +++ WordPress/WordPress.xcodeproj/project.pbxproj | 36 ++++++---- 4 files changed, 100 insertions(+), 15 deletions(-) create mode 100644 WordPress/Classes/Services/PostService+Likes.swift diff --git a/WordPress/Classes/Services/PostService+Likes.swift b/WordPress/Classes/Services/PostService+Likes.swift new file mode 100644 index 000000000000..e6d9967c45a7 --- /dev/null +++ b/WordPress/Classes/Services/PostService+Likes.swift @@ -0,0 +1,68 @@ +extension PostService { + + /** + Fetches a list of users that liked the post with the given ID. + + @param postID The ID of the post to fetch likes for + @param siteID The ID of the site that contains the post + @param success A success block + @param failure A failure block + */ + func getLikesFor(postID: NSNumber, + siteID: NSNumber, + success: @escaping (([LikeUser]?) -> Void), + failure: ((Error?) -> Void)? = nil) { + + guard let remote = PostServiceRemoteFactory().restRemoteFor(siteID: siteID, context: managedObjectContext) else { + DDLogError("Unable to create a REST remote for posts.") + failure?(nil) + return + } + + remote.getLikesForPostID(postID) { remoteLikeUsers in + + self.deleteExistingUsersFor(postID: postID) + + guard let remoteLikeUsers = remoteLikeUsers, + !remoteLikeUsers.isEmpty else { + success(nil) + return + } + + success(self.createNewUsers(from: remoteLikeUsers)) + } failure: { error in + DDLogError(String(describing: error)) + failure?(error) + } + } + +} + +private extension PostService { + + private func createNewUsers(from remoteLikeUsers: [RemoteLikeUser]) -> [LikeUser] { + var likeUsers = [LikeUser]() + + remoteLikeUsers.forEach { + if let likeUser = LikeUser.createUserFrom(remoteUser: $0, context: self.managedObjectContext) { + likeUsers.append(likeUser) + } + } + + return likeUsers + } + + private func deleteExistingUsersFor(postID: NSNumber) { + let request = LikeUser.fetchRequest() as NSFetchRequest + + // TODO: filter by postID + + do { + let users = try managedObjectContext.fetch(request) + users.forEach { managedObjectContext.delete($0) } + } catch { + DDLogError("Error fetching Like Users: \(error)") + } + } + +} diff --git a/WordPress/Classes/Services/PostService.m b/WordPress/Classes/Services/PostService.m index 373b7813989d..6619736d6951 100644 --- a/WordPress/Classes/Services/PostService.m +++ b/WordPress/Classes/Services/PostService.m @@ -684,6 +684,7 @@ - (void)restoreRemotePostWithPost:(AbstractPost*)post [remote restorePost:remotePost success:successBlock failure:failureBlock]; } +// TODO: remove when LikesListController is updated to use LikeUsers method. - (void)getLikesForPostID:(NSNumber *)postID siteID:(NSNumber *)siteID success:(void (^)(NSArray *))success diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index f241bd8470de..413d9b44322a 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -123,6 +123,16 @@ class LikesListController: NSObject { siteID: siteID, success: success, failure: failure) + + /// + // TODO: for testing only. Remove before merging. + let successBlock = { (likeUsers: [LikeUser]?) -> Void in + print("🔴 likeUsers: ", likeUsers) + } + + postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock) + /// + case .comment(let commentID): commentService.getLikesForCommentID(commentID, siteID: siteID, diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index f44355e1552e..063907295c65 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -1564,6 +1564,8 @@ 98D52C3222B1CFEC00831529 /* StatsTwoColumnRow.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98D52C3022B1CFEB00831529 /* StatsTwoColumnRow.swift */; }; 98D52C3322B1CFEC00831529 /* StatsTwoColumnRow.xib in Resources */ = {isa = PBXBuildFile; fileRef = 98D52C3122B1CFEC00831529 /* StatsTwoColumnRow.xib */; }; 98D7ECCE23983D0800B87710 /* MainInterface.storyboard in Resources */ = {isa = PBXBuildFile; fileRef = 98DE9A9E239835C800A88D01 /* MainInterface.storyboard */; }; + 98E0829F2637545C00537BF1 /* PostService+Likes.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98E0829E2637545C00537BF1 /* PostService+Likes.swift */; }; + 98E082A02637545C00537BF1 /* PostService+Likes.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98E0829E2637545C00537BF1 /* PostService+Likes.swift */; }; 98E419DE2399B5A700D8C822 /* Tracks+ThisWeekWidget.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98E419DD2399B5A700D8C822 /* Tracks+ThisWeekWidget.swift */; }; 98E419DF2399B62A00D8C822 /* Tracks.swift in Sources */ = {isa = PBXBuildFile; fileRef = B5FA22821C99F6180016CA7C /* Tracks.swift */; }; 98E58A2F2360D23400E5534B /* TodayWidgetStats.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98E58A2E2360D23400E5534B /* TodayWidgetStats.swift */; }; @@ -6031,6 +6033,7 @@ 98D52C3122B1CFEC00831529 /* StatsTwoColumnRow.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = StatsTwoColumnRow.xib; sourceTree = ""; }; 98DD1EF2263337C400CF0440 /* WordPress 122.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 122.xcdatamodel"; sourceTree = ""; }; 98DE9A9E239835C800A88D01 /* MainInterface.storyboard */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.storyboard; path = MainInterface.storyboard; sourceTree = ""; }; + 98E0829E2637545C00537BF1 /* PostService+Likes.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = "PostService+Likes.swift"; sourceTree = ""; }; 98E419DD2399B5A700D8C822 /* Tracks+ThisWeekWidget.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = "Tracks+ThisWeekWidget.swift"; sourceTree = ""; }; 98E419E02399B6C300D8C822 /* ThisWeekWidgetPrefix.pch */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = ThisWeekWidgetPrefix.pch; sourceTree = ""; }; 98E58A2E2360D23400E5534B /* TodayWidgetStats.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = TodayWidgetStats.swift; sourceTree = ""; }; @@ -10884,35 +10887,36 @@ 93FA59DA18D88BDB001446BC /* Services */ = { isa = PBXGroup; children = ( - F504D2A925D60C5900A2764C /* Stories */, B5EFB1C31B31B99D007608A3 /* Facades */, + 46E327D524E71B2F000944B3 /* Page Layouts */, + F504D2A925D60C5900A2764C /* Stories */, 93C1147D18EC5DD500DAC95C /* AccountService.h */, 93C1147E18EC5DD500DAC95C /* AccountService.m */, E6C0ED3A231DA23400A08B57 /* AccountService+MergeDuplicates.swift */, E1FD45DF1C030B3800750F4C /* AccountSettingsService.swift */, - F12FA5D82428FA8F0054DA21 /* AuthenticationService.swift */, F1ADCAF6241FEF0C00F150D2 /* AtomicAuthenticationService.swift */, + F12FA5D82428FA8F0054DA21 /* AuthenticationService.swift */, 46F584812624DCC80010A723 /* BlockEditorSettingsService.swift */, 822D60B81F4CCC7A0016C46D /* BlogJetpackSettingsService.swift */, 93C1148318EDF6E100DAC95C /* BlogService.h */, - 8B749E7125AF522900023F03 /* JetpackCapabilitiesService.swift */, 93C1148418EDF6E100DAC95C /* BlogService.m */, 9A341E5221997A1E0036662E /* BlogService+BlogAuthors.swift */, E18549D8230EED73003C620E /* BlogService+Deduplicate.swift */, 9A2D0B22225CB92B009E585F /* BlogService+JetpackConvenience.swift */, - 7E7BEF7222E1DD27009A880D /* EditorSettingsService.swift */, E1556CF0193F6FE900FC52EA /* CommentService.h */, E1556CF1193F6FE900FC52EA /* CommentService.m */, AB2211D125ED68E300BF72FC /* CommentServiceRemoteFactory.swift */, E16A76F21FC4766900A661E3 /* CredentialsService.swift */, 1702BBDF1CF3034E00766A33 /* DomainsService.swift */, + 7E7BEF7222E1DD27009A880D /* EditorSettingsService.swift */, FA00863C24EB68B100C863F2 /* FollowCommentsService.swift */, B5772AC31C9C7A070031F97E /* GravatarService.swift */, 17D9362624769579008B2205 /* HomepageSettingsService.swift */, FAB8FD6D25AEB23600D5D54A /* JetpackBackupService.swift */, - 9A2D0B35225E2511009E585F /* JetpackService.swift */, + 8B749E7125AF522900023F03 /* JetpackCapabilitiesService.swift */, FAB8AB8A25AFFE7500F9F8A0 /* JetpackRestoreService.swift */, 8C6A22E325783D2000A79950 /* JetpackScanService.swift */, + 9A2D0B35225E2511009E585F /* JetpackService.swift */, 1751E5901CE0E552000CA08D /* KeyValueDatabase.swift */, 930284B618EAF7B600CB0BF4 /* LocalCoreDataService.h */, FFC6ADD91B56F366002F3C84 /* LocalCoreDataService.m */, @@ -10932,19 +10936,24 @@ 73ACDF982114FE4500233AD4 /* NotificationSupportService.swift */, B5F67AC61DB7D81300482C62 /* NotificationSyncMediator.swift */, 8BC6020823900D8400EFE3D0 /* NullBlogPropertySanitizer.swift */, + 4631359024AD013F0017E65C /* PageCoordinator.swift */, E1209FA31BB4978B00D69778 /* PeopleService.swift */, E1D7FF371C74EB0E00E7E5E5 /* PlanService.swift */, + 57C2331722FE0EC900A3863B /* PostAutoUploadInteractor.swift */, 93FA59DB18D88C1C001446BC /* PostCategoryService.h */, 93FA59DC18D88C1C001446BC /* PostCategoryService.m */, FF0D8145205809C8000EE505 /* PostCoordinator.swift */, E1A6DBE319DC7D230071AC1E /* PostService.h */, E1A6DBE419DC7D230071AC1E /* PostService.m */, - 8B6EA62223FDE50B004BA312 /* PostServiceUploadingList.swift */, + 98E0829E2637545C00537BF1 /* PostService+Likes.swift */, + 8BC12F732320181E004DDA72 /* PostService+MarkAsFailedAndDraftIfNeeded.swift */, FF0F722B206E5345000DAAB5 /* PostService+RefreshStatus.swift */, - 2F08ECFB2283A4FB000F8E11 /* PostService+UnattachedMedia.swift */, 9A4F8F55218B88E000EEDCCC /* PostService+Revisions.swift */, + 2F08ECFB2283A4FB000F8E11 /* PostService+UnattachedMedia.swift */, 08472A1E1C7273FA0040769D /* PostServiceOptions.h */, 08472A1F1C727E020040769D /* PostServiceOptions.m */, + 57D66B99234BB206005A2D74 /* PostServiceRemoteFactory.swift */, + 8B6EA62223FDE50B004BA312 /* PostServiceUploadingList.swift */, 082AB9D71C4EEEF4000CA523 /* PostTagService.h */, 082AB9D81C4EEEF4000CA523 /* PostTagService.m */, B535209C1AF7EB9F00B33BA8 /* PushAuthenticationService.swift */, @@ -10959,10 +10968,10 @@ 5D44EB371986D8BA008B7175 /* ReaderSiteService.m */, 5DBCD9D318F35D7500B32229 /* ReaderTopicService.h */, 5DBCD9D418F35D7500B32229 /* ReaderTopicService.m */, - 3236F79D24AE75790088E8F3 /* ReaderTopicService+Interests.swift */, 321955C224BF77E400E3F316 /* ReaderTopicService+FollowedInterests.swift */, - 9F3EFCA0208E305D00268758 /* ReaderTopicService+Subscriptions.swift */, + 3236F79D24AE75790088E8F3 /* ReaderTopicService+Interests.swift */, 3234BB072530D7DC0068DA40 /* ReaderTopicService+SiteInfo.swift */, + 9F3EFCA0208E305D00268758 /* ReaderTopicService+Subscriptions.swift */, E102B78F1E714F24007928E8 /* RecentSitesService.swift */, E1D28E921F2F6EB500A5DAFD /* RoleService.swift */, 930F09161C7D110E00995926 /* ShareExtensionService.swift */, @@ -10972,20 +10981,15 @@ 73178C2E21BEE1F500E37C9A /* SiteAssemblyService.swift */, FA4ADAD71C50687400F858D7 /* SiteManagementService.swift */, D8CB561F2181A8CE00554EAE /* SiteSegmentsService.swift */, + B0F2EFBE259378E600C7EB6D /* SiteSuggestionService.swift */, D8A468E421828D940094B82F /* SiteVerticalsService.swift */, B03B9233250BC593000A40AF /* SuggestionService.swift */, - B0F2EFBE259378E600C7EB6D /* SiteSuggestionService.swift */, 59A9AB331B4C33A500A433DC /* ThemeService.h */, 59A9AB341B4C33A500A433DC /* ThemeService.m */, 93DEB88019E5BF7100F9546D /* TodayExtensionService.h */, 93DEB88119E5BF7100F9546D /* TodayExtensionService.m */, E6311C401EC9FF4A00122529 /* UsersService.swift */, B543D2B420570B5A00D3D4CC /* WordPressComSyncService.swift */, - 57C2331722FE0EC900A3863B /* PostAutoUploadInteractor.swift */, - 57D66B99234BB206005A2D74 /* PostServiceRemoteFactory.swift */, - 8BC12F732320181E004DDA72 /* PostService+MarkAsFailedAndDraftIfNeeded.swift */, - 4631359024AD013F0017E65C /* PageCoordinator.swift */, - 46E327D524E71B2F000944B3 /* Page Layouts */, ); path = Services; sourceTree = ""; @@ -16360,6 +16364,7 @@ 08D978581CD2AF7D0054F19A /* MenuItemSourceHeaderView.m in Sources */, FA1A543E25A6E2F60033967D /* RestoreWarningView.swift in Sources */, 1E4F2E712458AF8500EB73E7 /* GutenbergWebNavigationViewController.swift in Sources */, + 98E0829F2637545C00537BF1 /* PostService+Likes.swift in Sources */, 3FF1A853242D5FCB00373F5D /* WPTabBarController+ReaderTabNavigation.swift in Sources */, BE1071FC1BC75E7400906AFF /* WPStyleGuide+Blog.swift in Sources */, B56695B01D411EEB007E342F /* KeyboardDismissHelper.swift in Sources */, @@ -19532,6 +19537,7 @@ FABB25FD2602FC2C00C8785C /* JetpackRemoteInstallState.swift in Sources */, FABB25FE2602FC2C00C8785C /* Scheduler.swift in Sources */, FABB25FF2602FC2C00C8785C /* RegisterDomainDetailsViewModel+RowDefinitions.swift in Sources */, + 98E082A02637545C00537BF1 /* PostService+Likes.swift in Sources */, FABB26002602FC2C00C8785C /* GravatarProfile.swift in Sources */, FABB26012602FC2C00C8785C /* ReaderShareAction.swift in Sources */, FABB26022602FC2C00C8785C /* PostingActivityMonth.swift in Sources */, From ff6c5d7b66f6661a9b803df5116bc26d1e4104c2 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Mon, 26 Apr 2021 18:15:39 -0600 Subject: [PATCH 107/190] Move Like User create methods out of the model classes. --- .../Likes/LikeUser+CoreDataClass.swift | 29 ------------ .../LikeUserPreferredBlog+CoreDataClass.swift | 17 ------- .../Classes/Services/LikeUserHelpers.swift | 45 +++++++++++++++++++ .../Classes/Services/PostService+Likes.swift | 2 +- WordPress/WordPress.xcodeproj/project.pbxproj | 6 +++ 5 files changed, 52 insertions(+), 47 deletions(-) create mode 100644 WordPress/Classes/Services/LikeUserHelpers.swift diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift index 8741713f465a..702cb7bd202c 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataClass.swift @@ -3,33 +3,4 @@ import CoreData @objc(LikeUser) public class LikeUser: NSManagedObject { - static func createUserFrom(remoteUser: RemoteLikeUser, context: NSManagedObjectContext) -> LikeUser? { - - guard let likeUser = NSEntityDescription.insertNewObject(forEntityName: "LikeUser", into: context) as? LikeUser else { - return nil - } - - likeUser.userID = remoteUser.userID.int64Value - likeUser.username = remoteUser.username - likeUser.displayName = remoteUser.displayName - likeUser.primaryBlogID = remoteUser.primaryBlogID.int64Value - likeUser.avatarUrl = remoteUser.avatarURL - likeUser.bio = remoteUser.bio ?? "" - likeUser.dateLikesString = remoteUser.dateLiked ?? "" - likeUser.dateLiked = DateUtils.date(fromISOString: likeUser.dateLikesString) - likeUser.preferredBlog = createPreferredBlogFrom(remotePreferredBlog: remoteUser.preferredBlog, forUser: likeUser, context: context) - - return likeUser - } - - static func createPreferredBlogFrom(remotePreferredBlog: RemoteLikeUserPreferredBlog?, - forUser user: LikeUser, - context: NSManagedObjectContext) -> LikeUserPreferredBlog? { - - guard let remotePreferredBlog = remotePreferredBlog else { - return nil - } - - return LikeUserPreferredBlog.createBlogFrom(remoteBlog: remotePreferredBlog, forUser: user, context: context) - } } diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift index 70dbfacd5da4..25f4aeb19d61 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUserPreferredBlog+CoreDataClass.swift @@ -3,21 +3,4 @@ import CoreData @objc(LikeUserPreferredBlog) public class LikeUserPreferredBlog: NSManagedObject { - static func createBlogFrom(remoteBlog: RemoteLikeUserPreferredBlog, - forUser user: LikeUser, - context: NSManagedObjectContext) -> LikeUserPreferredBlog? { - - guard let preferredBlog = NSEntityDescription.insertNewObject(forEntityName: "LikeUserPreferredBlog", into: context) as? LikeUserPreferredBlog else { - return nil - } - - preferredBlog.blogUrl = remoteBlog.blogUrl - preferredBlog.blogName = remoteBlog.blogName - preferredBlog.iconUrl = remoteBlog.iconUrl - preferredBlog.blogID = remoteBlog.blogID?.int64Value ?? 0 - preferredBlog.user = user - - return preferredBlog - } - } diff --git a/WordPress/Classes/Services/LikeUserHelpers.swift b/WordPress/Classes/Services/LikeUserHelpers.swift new file mode 100644 index 000000000000..c937f5903f2b --- /dev/null +++ b/WordPress/Classes/Services/LikeUserHelpers.swift @@ -0,0 +1,45 @@ +import Foundation + +/// Helper class for creating LikeUser objects. +/// Used by PostService and CommentService when fetching likes for posts/comments. +/// +@objc class LikeUserHelper: NSObject { + + @objc class func createUserFrom(remoteUser: RemoteLikeUser, context: NSManagedObjectContext) -> LikeUser? { + + guard let likeUser = NSEntityDescription.insertNewObject(forEntityName: "LikeUser", into: context) as? LikeUser else { + return nil + } + + likeUser.userID = remoteUser.userID.int64Value + likeUser.username = remoteUser.username + likeUser.displayName = remoteUser.displayName + likeUser.primaryBlogID = remoteUser.primaryBlogID.int64Value + likeUser.avatarUrl = remoteUser.avatarURL + likeUser.bio = remoteUser.bio ?? "" + likeUser.dateLikesString = remoteUser.dateLiked ?? "" + likeUser.dateLiked = DateUtils.date(fromISOString: likeUser.dateLikesString) + likeUser.preferredBlog = createPreferredBlogFrom(remotePreferredBlog: remoteUser.preferredBlog, forUser: likeUser, context: context) + + return likeUser + } + + private class func createPreferredBlogFrom(remotePreferredBlog: RemoteLikeUserPreferredBlog?, + forUser user: LikeUser, + context: NSManagedObjectContext) -> LikeUserPreferredBlog? { + + guard let remotePreferredBlog = remotePreferredBlog, + let preferredBlog = NSEntityDescription.insertNewObject(forEntityName: "LikeUserPreferredBlog", into: context) as? LikeUserPreferredBlog else { + return nil + } + + preferredBlog.blogUrl = remotePreferredBlog.blogUrl + preferredBlog.blogName = remotePreferredBlog.blogName + preferredBlog.iconUrl = remotePreferredBlog.iconUrl + preferredBlog.blogID = remotePreferredBlog.blogID?.int64Value ?? 0 + preferredBlog.user = user + + return preferredBlog + } + +} diff --git a/WordPress/Classes/Services/PostService+Likes.swift b/WordPress/Classes/Services/PostService+Likes.swift index e6d9967c45a7..8f215eab0af4 100644 --- a/WordPress/Classes/Services/PostService+Likes.swift +++ b/WordPress/Classes/Services/PostService+Likes.swift @@ -44,7 +44,7 @@ private extension PostService { var likeUsers = [LikeUser]() remoteLikeUsers.forEach { - if let likeUser = LikeUser.createUserFrom(remoteUser: $0, context: self.managedObjectContext) { + if let likeUser = LikeUserHelper.createUserFrom(remoteUser: $0, context: self.managedObjectContext) { likeUsers.append(likeUser) } } diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index 063907295c65..a3c745702873 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -1374,6 +1374,8 @@ 93F2E5421E9E5A350050D489 /* QuickLook.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 93F2E5411E9E5A350050D489 /* QuickLook.framework */; }; 93F2E5441E9E5A570050D489 /* CoreSpotlight.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = 93F2E5431E9E5A570050D489 /* CoreSpotlight.framework */; }; 93FA59DD18D88C1C001446BC /* PostCategoryService.m in Sources */ = {isa = PBXBuildFile; fileRef = 93FA59DC18D88C1C001446BC /* PostCategoryService.m */; }; + 9804A097263780B500354097 /* LikeUserHelpers.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9804A096263780B400354097 /* LikeUserHelpers.swift */; }; + 9804A098263780B500354097 /* LikeUserHelpers.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9804A096263780B400354097 /* LikeUserHelpers.swift */; }; 98077B5A2075561800109F95 /* SupportTableViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = 98077B592075561800109F95 /* SupportTableViewController.swift */; }; 9808655A203D075E00D58786 /* EpilogueUserInfoCell.xib in Resources */ = {isa = PBXBuildFile; fileRef = 98086559203D075D00D58786 /* EpilogueUserInfoCell.xib */; }; 9808655C203D079B00D58786 /* EpilogueUserInfoCell.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9808655B203D079A00D58786 /* EpilogueUserInfoCell.swift */; }; @@ -5886,6 +5888,7 @@ 968136B9BC83DFA8E463D5E4 /* Pods-WordPressScreenshotGeneration.release.xcconfig */ = {isa = PBXFileReference; includeInIndex = 1; lastKnownFileType = text.xcconfig; name = "Pods-WordPressScreenshotGeneration.release.xcconfig"; path = "../Pods/Target Support Files/Pods-WordPressScreenshotGeneration/Pods-WordPressScreenshotGeneration.release.xcconfig"; sourceTree = ""; }; 979B445A45E13F3289F2E99E /* Pods_WordPressThisWeekWidget.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_WordPressThisWeekWidget.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 98035B7225C49CC1002C0EB4 /* WordPress 112.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 112.xcdatamodel"; sourceTree = ""; }; + 9804A096263780B400354097 /* LikeUserHelpers.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = LikeUserHelpers.swift; sourceTree = ""; }; 98077B592075561800109F95 /* SupportTableViewController.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = SupportTableViewController.swift; sourceTree = ""; }; 98086559203D075D00D58786 /* EpilogueUserInfoCell.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = EpilogueUserInfoCell.xib; sourceTree = ""; }; 9808655B203D079A00D58786 /* EpilogueUserInfoCell.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = EpilogueUserInfoCell.swift; sourceTree = ""; }; @@ -10918,6 +10921,7 @@ 8C6A22E325783D2000A79950 /* JetpackScanService.swift */, 9A2D0B35225E2511009E585F /* JetpackService.swift */, 1751E5901CE0E552000CA08D /* KeyValueDatabase.swift */, + 9804A096263780B400354097 /* LikeUserHelpers.swift */, 930284B618EAF7B600CB0BF4 /* LocalCoreDataService.h */, FFC6ADD91B56F366002F3C84 /* LocalCoreDataService.m */, 98921EF621372E12004949AA /* MediaCoordinator.swift */, @@ -16931,6 +16935,7 @@ 176CF39A25E0005F00E1E598 /* NoteBlockButtonTableViewCell.swift in Sources */, 43DDFE922178635D008BE72F /* QuickStartCongratulationsCell.swift in Sources */, 820ADD721F3A226E002D7F93 /* ThemeBrowserSectionHeaderView.swift in Sources */, + 9804A097263780B500354097 /* LikeUserHelpers.swift in Sources */, 82B85DF91EDDB807004FD510 /* SiteIconPickerPresenter.swift in Sources */, B50421E91B68170F008EEA82 /* NoteUndoOverlayView.swift in Sources */, C99B08FC26081AD600CA71EB /* TemplatePreviewViewController.swift in Sources */, @@ -18421,6 +18426,7 @@ FABB21BD2602FC2C00C8785C /* ReaderPostToReaderPost37to38.swift in Sources */, FABB21BE2602FC2C00C8785C /* ReaderRelatedPostsSectionHeaderView.swift in Sources */, FABB21BF2602FC2C00C8785C /* WidgetNoConnectionCell.swift in Sources */, + 9804A098263780B500354097 /* LikeUserHelpers.swift in Sources */, FABB21C02602FC2C00C8785C /* AppRatingUtilityType.swift in Sources */, FABB21C12602FC2C00C8785C /* MenuItemSourceFooterView.m in Sources */, FABB21C22602FC2C00C8785C /* JetpackRestoreFailedViewController.swift in Sources */, From 4c0fa65cf1232751a4016a3e3c7dfbbec6d48117 Mon Sep 17 00:00:00 2001 From: Momo Ozawa Date: Tue, 27 Apr 2021 12:19:42 +0900 Subject: [PATCH 108/190] Add new icon-tab-notifications-unread assets to Jetpack target --- .../Contents.json | 25 ++++++++++++++++++ ...n-tab-notifications-unread-muriel-dark.pdf | Bin 0 -> 4174 bytes .../icon-tab-notifications-unread-muriel.pdf | Bin 0 -> 4167 bytes 3 files changed, 25 insertions(+) create mode 100644 WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/Contents.json create mode 100644 WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/icon-tab-notifications-unread-muriel-dark.pdf create mode 100644 WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/icon-tab-notifications-unread-muriel.pdf diff --git a/WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/Contents.json b/WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/Contents.json new file mode 100644 index 000000000000..bc2bed89c56e --- /dev/null +++ b/WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/Contents.json @@ -0,0 +1,25 @@ +{ + "images" : [ + { + "idiom" : "universal", + "filename" : "icon-tab-notifications-unread-muriel.pdf" + }, + { + "idiom" : "universal", + "filename" : "icon-tab-notifications-unread-muriel-dark.pdf", + "appearances" : [ + { + "appearance" : "luminosity", + "value" : "dark" + } + ] + } + ], + "info" : { + "version" : 1, + "author" : "xcode" + }, + "properties" : { + "template-rendering-intent" : "original" + } +} \ No newline at end of file diff --git a/WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/icon-tab-notifications-unread-muriel-dark.pdf b/WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/icon-tab-notifications-unread-muriel-dark.pdf new file mode 100644 index 0000000000000000000000000000000000000000..9025709bfce91b2352e8ec14722d789f5be86efa GIT binary patch literal 4174 zcmai%2{e@L`^N`U7=*HvlqVUIWoFEbt*nEgWR2{MnXzx#m+V_Ywj>H!%94GFXh^oi zYsg+9*^(`iU4El_e{b*m{{QFqoaa2xeZKc~U*~@A>wBK_xu9A~Dk2C`Bm~+ry*fRg z_w`{i356nD>Xz>AMNC zk1VgHj&+=`;TL!G$hnYu9d@|o*}7G3x1IksiG4FXl6fczNCH2nJZfk@H81Dw&$QlCG_DXE8t!hc1{&LAf?us<2U4iEi{`l>S z!)9!iT|V?%VNRMh*l|y@x_F6g=@gn4D1l>8>*Hx7Fo=nJ!NT$Z2+zX;Jw+`dfqPZa zRz5C7cu^*OwP_Kt$|@~oj7^}S^(ac^>P(}fhFX=F%$K>Z-!8;gZzaFmkE+qDZ>juR z=tBS6>q(AV{njjVqK59>k!LT`8 z+tq8r-PhPO61?=JL$w0Lca4MB;=ZwV4wS8zUz1K-GvMz?s~@;ju4d4{ApuI~$P5u+ zVz}|vr#G{@XZQ~Y(TVV@#FWv2GY;%<@J3099ZVh!#eOr*RUa230Mo)*|9H9*o!kNB zPXp-?-JCsK@kBR3{HK6%c5XBHuY3pdf0|Is)ful#bO($nNtILpQvil> zc5rspb;03@z=2CKZU{i)SAySiNdA`NmyxA@M8PyD8-ghunAwTqWB{f_^t8njb+C&6 z+vDkXy{_txa727w%2YrJ~CS~G-AE%KU4?O+6@7}bT^<1 zLS-4SEzLKX96i?AvO#^Eh3bd_)r$!$D=>CbiMoH6B$Jw&ui93*z9bq%sDCHisKxI# zxF49nD}muV41y>Rh+hog=bWa#qg&Z}LTn%WdM#N{ECM0Mkwu?f#5>ti>adbdKY=q)Lm43PI@>#1AdC^gH+tV8!~r$4>2+Fq&D-Lgao z-D$ouanoC!yjI0{8_pS2>U>w33To(>YLl>7%)Pj1I5=ao)i^SKIzV?%=9TY`-U|N$ zIYS{P!*JYTp$JCe0Il;G-9J^?kgNx)ay%?QJyE2&41iV-fvUzHd_5iEV3yeOkx_sl zdSSuAjVjY#ROpk$PG*Sn>&6JFjnvMi9sLWBIpu=Ss<9)9%F~bY9$!}K>S8>SLMH5O zu{XS4Az z2l=3y|oPuCZRtY3u&`$<6vlJp zGN&pIvYa%c^T8-+NwU$jVxr<%66Lpg`16mS4=v2XXvwUdb?2(1GY#E-NZSLT4)0O< zhq2zH?!z$+gPsPBlwIJa!@lhNpybW|fR^*cyNOG+9I{7hUUE*H`~ngVH-DK#C;y6$ zrdP#)?&OM+V!Qz#73&%M1m0Zg0_C*$Be^G^#i}M;pQ1S&nT5M|oTKf;WF+OMY^jeM zw7di#xQD-|ug*CmZpDHO-U@kSIZ*!CK%hv@lU|(leym7~zD1mcaal?^%`k4^0{4;j z7biY)y9Cr8HxY9}mw;=Shhpl3=9`%&_*cB2pC4me4q)98X)L zKs>z>*gk~$%w2%bf$u5{7u_t~UKs03ly-2wraNy0i%*M*rC|B(VTI>v-256zY-$mF zoH~4hsa3&O)$Djp`DOS?XOcRk30T+ThVo{bC48BHIg~k3PV3G&em2cZ+{%h08d8^@ z$@|FrU>@l(#H_{|2`CsyfVUv(4UsEPKij$rs*eB1Y_(3)A45fIbn2Tl# zn4bx}^!@Q}Ewy%&e3Nc)PMLm|%0$&mnQ%4bwCrTdo0e&oQI??}(XHCh=ZV3IHAgiI zGBtVHfkU(#Ib8qX)v8a)w8G@d>;%{|REUHMw) z@JqPGCQ|3bqnM~;o3pTv^$$X*%bbaT}H)NbVGvbreW+HJdU&7WmHCvl~5HE^Ba z(&I`&wV_X>Ii+=^O{dMG+N*4g7^=ZW(?+w^X7J?HrLL=1(8_43tm2ZzJds}6+|eg8 z#rXV61M3`(%I;&PiK5053N_GeY@>1D>lZ!1TZ?Fg z`%U>-x3U^>8MvGY{Mo{UC%xx$jB+ltN#dVgzqKMeY0O_1m9Cbk7Ta+}cesD-szn{S zip*#~W5bVng064RE_-iiSfn!eP^$Ujs~b5!_qT)?WTFkC(>X>t%!L<)bw%cdc?<;& z4;eUCeJe%q2}Z;JPCkFcA>S9U)hovAJ^5E=JuT=c(?W?DANQLj-?UO%$VyTiYO zpp}XAjwBt~7(k@E{@zsPad z-s=;!+^z|t1ko6CZ(|xM8_$x11*{EgK~pD|@WLv*C$9Y!kOfz2~_-`gQ2b?Do)(CRh?& zME?nr3swQ^)5AoMiXo^K>oPcr$uAa&qA#WO7LqX>zx6;jL@+bU`P%B;LHq@cQ}FCwWedv+PG5 zds#58Ub1HX%xfAvlvE$NlQ`QZG#k5Ox=Gwk0H=gig!L+=w3tTW)k@UZ)h4Mm6{;otkfGA9V$2##%zUlg#X7S#l{V$nd8*@U$4&s+3hm`#-Qf8> zVz&vsWPhYMe6Ymi-7^g@)26zKZw>Qtj)0@;$d^u)&RF8fai?2j{n`(;%Ni_fDwk*4 z6rU+-Pmn~qjgL6AI>Y9`NT zf39n^4m1x`T2x(0AY;R^kJ?|xc??|WACkzIxFh~DHnFXI@_M`T-iL1(zhh74w2(Q^ zHo=l-q*gw*Z}Kc>FkT$-x#eFtC$N{f{VD&ML4E0`x=)G7 z-QT~l7PFq3R{7fcGC84}{lR^yOs{}d#kTO3=qS!e>1*z?byZVu(o4!p#yW#jO3hZD zxfZ-5?dz4NJZm&WoNq_zjw9cKxjruw{WmmlZd8hg?pw;sHg zwS!-4PncWK+|*3YjFt1cLBG4|&F^S6Grke_b?4vwd_bW;pjjO8Uw}T~*8`0LxoQ}U zBF>FS01g0F2QdAUi4P$9PbU70vE2aJ6(YeFr|9er7{e(cNHNO&1Cl)`7L@=@&MA7>IuHPal&YACAfWAmb9MIxCQ^_pul!6}=mC~%MIaxVVs{eDW zM5+HpD>&SWASQ{&!zH9pNJ)Y?5oL+DLW&U(NR%WRfslp#?~tGVadW5C^2b3VC8Q)E KP^hw|3gkb^<|Y^b literal 0 HcmV?d00001 diff --git a/WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/icon-tab-notifications-unread-muriel.pdf b/WordPress/Jetpack/AppImages.xcassets/icon-tab-notifications-unread.imageset/icon-tab-notifications-unread-muriel.pdf new file mode 100644 index 0000000000000000000000000000000000000000..5a294783856302589a7acbf326ed8da9dbf82707 GIT binary patch literal 4167 zcma)<2{e>%`^N`U7(!)Fd6Kn-*-=>sV?wsbuEAjJ``Tp5k}Z3dl0+m~iXs}aWY3Vj zLbC6PpIzS3^8fXF-}it1|NA`We(rPK*L|J)xvuXy&*u`-Qc^hw6GuRV8YaF?%;l{- z=xk_&AOR@gY+(nvcoC3LCpg)7*a9f3Ne7TnAv$;v+^BB{yaz#vVCif{0Ayt$?jCLg zyd%ViCPP=v$r#4`X^!25Ui6I45#>Vv;37BBNoCrB13Dx8&02nx%T>(}zvJ#TQCw7O zx;6bo93Ad>X1q%-%4sE^W}E8Mz}-{ceqNmp>%&sR++ zH=xh8&pvP!aEU>~I*z-SXX!@<#3hDJ0s|U$+&ZdE_O8ZPqeAIJJQ>2fpD`#dBl6FU zglyL{mEZEW`fxe^2FK3xyQ-dn00H%Nh#@WHyP1gl) zNdWfciE)PklD`7{5ku;a7{3%O{liP*GW9|d3i~Q{qDmN$P$GB{EeSeU#s7!6?|5I) z9pntBkR{2TM+5+&RbD?v;Qa+v4zP9vE>Md$EJWB#>3|CRVKIHHD{pA9;R2S*>`XU< zE&3V1v1v8dYAY#E3`N^BE)}9yhSPVO3`Yj1%KHaxmPq}TAg!HXaGi$%O&~JMfPHbU z*5t_1wuW_DZZ;Yg1DZFZ*4AL`h7xVh4p}BG?XhZO>Dr=rpjFk!vo%`6?tOa!@dA<< z!Gj=(axePg4PmYc+9ci5w>}YV7NvhCio9yfK1o9PJI%r~Dw7Yxbo;nE1o@U-YC7k6D0as?{ zS&aBb3t~uWkbdpP616F9dmrSJYcn1Rj=)*u9_~*iPE0pjZ!MSVZd$<3B-Lw--ttkW ztd=p~hH?cKJKs^J5i)d4vyERU>Z&`Sra$h0(zTt?& z{8I@sCumL3=SR4ond3qEiP5K;O91HG0Z`fSy_FMT4rU1rUzkOhqUPrv+-WlH z#m`JjZf6ENx7LJ7ucx&wZtGvj<&q0Jh2uaFlqYiYa@CaD+nHHXC|0}cY1lZ z>d)TGe8aUII<2QYox~UtVOte?F~}fJ+zJvB&^sEyjTWKjxshSdZtH0dB85t8Rp98G zon=6nQ*?q(a(=X=Ib${$q`CUFZDD+|do0}V`_vXclS!o0sJeoH?&KPCtd*P4!?Qfu zBOwm8v`6CTJsv=iLE=!_v)2ys1tMJNh5=AWpeh^P9XfGUTB1Doxq|Ef2%-QRpz*qC z=K|^p^6La&4o15iGyz|IbI65>IS?xk39D6u(hLU?8G^sEaXeIb633atnx@#tcFc&u z7o(sh#ZLDY6A{OjAivou{FwXn%_mtHEt%C*9=w$drZ=}9(02mJgS#}Oki)68-S|TT zpqGJzB^US@uyt*pm3%nv(R01|IC`mqQJNB=SI7TC|eK70E zJAj~r;1xDrhAD>Kki&II?V!h+9s*%(z6~Z8V$W_5D7?n;313cR$At-U=?IFYl?7eF z*$J2m%LtQCCbpcn!n$!A%A08x31$N3LaYgLT1le9?3$POlobarOJ8~=?N-K0uFSC3CjB6KCG8@=udj83{rJ;|b9Tz6sum(pH^=b$tOd@rz(99r0Xv>U(fcvyLpC5CdwcxgL8<}{OrP6-E(ti`3=Pk4;VO>&6aG{ ze`rXzH?<@+h1rc+mUiS0O};3k{ye>E7DyM;O-qJ2t1eej)>zgAwuQH0^fKW-;bfNe z0S_t=K-ps>T|RjcQ8DOPu1RFqz#-DZUzi zwYWTC-D1gZDNpviY=mr#?9pnk>H?C)27Z@z*K2ENrT^>HR{yppSPJ}*Voe2Rt57*yf+s#>EWbR+`)K-USvcun{sTqbBmuvJ{6w#t|NA5`cS?rUR~7P(7G!1_ILHa zRHFs&3f(khDz$q)Y=b3awraN@o?IPIA9rdy-m=oNeFJ5U^7gc;_WB;SQ;S-(XDJNr zD>C``>aw?KZRO}+)pN0qfTQZ**EW^57{aj;r^w+R?FZT=)z@rGmnIt(Uny#jlFxM* zvpBqU;BZ(NvMw#O`K2!FOV`wHAOQ3U_-q`mOWHtMd=~ zuTe^G*~ErbU?ldEH;Xmv4^Z+cXH?2mX0e4>O7v#*kl(Y_w_n?$Q@Y1OYs9|4Tu<&Q z$h_gbO}4RUY4~d2HJ2uLY4~xq^j6=R>NGeG2^n&1e|>H}LNB>%NT&xi}0)5${g00`>t` z2QdBZvJcU}nfPzUb_XOh2v$VAqO%WR45hjt;MC^_BzscH8wN#@P15_-x^0cHjf})OiOHExspWx5pzVow^Y8{Q2jKVt@d4j|J~*9EBd$*tRYYU27^HVX8>pv3V{NwfnPQR8cxmk z{s5eQ+n^{ZYC8UDLm;K8jmST3P$-<5$$zt<(A3QQn+=WrFY*41pCp`G=YO6>Ad&wO z4}p^WIG9o2G literal 0 HcmV?d00001 From 4a2ce5486e66623b1fbe274d0d047f95710ee282 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Tue, 27 Apr 2021 17:33:13 +0200 Subject: [PATCH 109/190] Updates WPAuth. --- Podfile | 4 ++-- Podfile.lock | 13 +++++++++---- 2 files changed, 11 insertions(+), 6 deletions(-) diff --git a/Podfile b/Podfile index aceef57b7bb3..4a8c7837eb19 100644 --- a/Podfile +++ b/Podfile @@ -208,10 +208,10 @@ abstract_target 'Apps' do pod 'Gridicons', '~> 1.1.0' - pod 'WordPressAuthenticator', '~> 1.37.0-beta.1' + # pod 'WordPressAuthenticator', '~> 1.37.0-beta.1' # While in PR # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => '' - # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => '' + pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => 'a595755b191592a82361ec4830aff2c394b91832' # pod 'WordPressAuthenticator', :path => '../WordPressAuthenticator-iOS' pod 'MediaEditor', '~> 1.2.1' diff --git a/Podfile.lock b/Podfile.lock index e8877ca8a8a9..982b27267f1d 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -498,7 +498,7 @@ DEPENDENCIES: - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - - WordPressAuthenticator (~> 1.37.0-beta.1) + - WordPressAuthenticator (from `https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git`, commit `a595755b191592a82361ec4830aff2c394b91832`) - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) @@ -510,7 +510,6 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - - WordPressAuthenticator - WordPressKit trunk: - 1PasswordExtension @@ -651,6 +650,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressAuthenticator: + :commit: a595755b191592a82361ec4830aff2c394b91832 + :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -666,6 +668,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressAuthenticator: + :commit: a595755b191592a82361ec4830aff2c394b91832 + :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -746,7 +751,7 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e + WordPressAuthenticator: ff0e2167a487c85da00e601beb0f0fde5a33b03f WordPressKit: f941a43d9a181897f5b54bb256ef01ecbdca120d WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 2d5cb8b46a7d06c27483a62bab0c650a86cf1449 +PODFILE CHECKSUM: bf714c538d4b612608ef1c56b9f4c041809c0841 COCOAPODS: 1.10.0 From 00ce3a2492442ddba5c06ab8d53ce3b1861bafef Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Tue, 27 Apr 2021 17:42:26 +0200 Subject: [PATCH 110/190] Updated the release notes. --- RELEASE-NOTES.txt | 1 + 1 file changed, 1 insertion(+) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index f1a9df158669..04cd6f55ed9d 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -3,6 +3,7 @@ * [**] Fix issue where deleting a post and selecting undo would sometimes convert the content to the classic editor. [#16342] * [**] Fix issue where restoring a post left the restored post in the published list even though it has been converted to a draft. [#16358] * [**] Fix issue where trashing a post converted it to Classic content. [#16367] +* [**] Fix issue where users could not leave the username selection screen due to styling issues. [#16380] * [*] Comments can be filtered to show the most recent unreplied comments from other users. [#16215] * [*] Fixed the navigation bar color in dark mode. [#16348] From 8e17e2ef2c5593f20863959342d42990af0f716f Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Tue, 27 Apr 2021 17:57:25 +0200 Subject: [PATCH 111/190] Changes the search field text to be larger. --- .../ViewRelated/Reader/WPStyleGuide+ReaderComments.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift b/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift index 97e92197d531..622e2115f66e 100644 --- a/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift +++ b/WordPress/Classes/ViewRelated/Reader/WPStyleGuide+ReaderComments.swift @@ -10,7 +10,7 @@ extension WPStyleGuide { class func defaultSearchBarTextAttributesSwifted() -> [NSAttributedString.Key: Any] { return [ - .font: WPStyleGuide.fixedFont(for: .footnote) + .font: WPStyleGuide.fixedFont(for: .body) ] } From 3e951e3875773dcbd1d3c272e63414de2a031afb Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Tue, 27 Apr 2021 18:52:21 +0200 Subject: [PATCH 112/190] Fixes some sizing and coloring issues in search fields. --- .../Extensions/Colors and Styles/WPStyleGuide+Search.swift | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index 73978fd563eb..a54899238bd0 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -22,10 +22,12 @@ extension WPStyleGuide { let barButtonItemAppearance = UIBarButtonItem.appearance(whenContainedInInstancesOf: [UISearchBar.self]) barButtonItemAppearance.tintColor = .neutral(.shade70) + let iconSizes = CGSize(width: 20, height: 20) + // We have to manually tint these images, as we want them // a different color from the search bar's cursor (which uses `tintColor`) - let cancelImage = UIImage(named: "icon-clear-searchfield")?.withTintColor(.secondaryLabel) - let searchImage = UIImage(named: "icon-post-list-search")?.withTintColor(.secondaryLabel) + let cancelImage = UIImage.gridicon(.crossCircle, size: iconSizes).withTintColor(.secondaryLabel).withRenderingMode(.alwaysOriginal) + let searchImage = UIImage.gridicon(.search, size: iconSizes).withTintColor(.secondaryLabel).withRenderingMode(.alwaysOriginal) UISearchBar.appearance().setImage(cancelImage, for: .clear, state: UIControl.State()) UISearchBar.appearance().setImage(searchImage, for: .search, state: UIControl.State()) } From 2277e1bf429f897f62e9f9c25773e3eb71f05748 Mon Sep 17 00:00:00 2001 From: James Frost Date: Tue, 27 Apr 2021 18:10:34 +0100 Subject: [PATCH 113/190] Switch Prologue strings to use NSLocalizedString --- .../Editor/UnifiedPrologueEditorContentView.swift | 4 ++-- .../Editor/UnifiedPrologueReaderContentView.swift | 8 ++++---- 2 files changed, 6 insertions(+), 6 deletions(-) diff --git a/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueEditorContentView.swift b/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueEditorContentView.swift index 0ba68a3428bf..7a983fa10e8c 100644 --- a/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueEditorContentView.swift +++ b/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueEditorContentView.swift @@ -94,8 +94,8 @@ struct UnifiedPrologueEditorContentView: View { private extension UnifiedPrologueEditorContentView { enum Appearance { - static let topElementTitle: LocalizedStringKey = "Getting Inspired" - static let middleElementTitle: LocalizedStringKey = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" + static let topElementTitle = NSLocalizedString("Getting Inspired", comment: "Example post title used in the login prologue screens.") + static let middleElementTitle = NSLocalizedString("I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next", comment: "Example post content used in the login prologue screens.") static let middleElementTerminator = "|" } } diff --git a/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueReaderContentView.swift b/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueReaderContentView.swift index 0c9943c94e7d..9e7acd7978ec 100644 --- a/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueReaderContentView.swift +++ b/WordPress/Classes/ViewRelated/NUX/ContentViews/Editor/UnifiedPrologueReaderContentView.swift @@ -142,9 +142,9 @@ private extension UnifiedPrologueReaderContentView { static let tagMusic: String = NSLocalizedString("Music", comment: "An example tag used in the login prologue screens.") static let tagPolitics: String = NSLocalizedString("Politics", comment: "An example tag used in the login prologue screens.") - static let firstPostTitle: LocalizedStringKey = "My Top Ten Cafes" - static let secondPostTitle: LocalizedStringKey = "The World's Best Fans" - static let thirdPostTitle: LocalizedStringKey = "Museums to See In London" + static let firstPostTitle: String = NSLocalizedString("My Top Ten Cafes", comment: "Example post title used in the login prologue screens.") + static let secondPostTitle: String = NSLocalizedString("The World's Best Fans", comment: "Example post title used in the login prologue screens. This is a post about football fans.") + static let thirdPostTitle: String = NSLocalizedString("Museums to See In London", comment: "Example post title used in the login prologue screens.") } } @@ -204,7 +204,7 @@ extension View { /// private struct PostView: View { let image: String - let title: LocalizedStringKey + let title: String let size: CGFloat let font: Font From 1a989a8c85b2c6f6ddbe24d96fa222bdd0bc24f9 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Tue, 27 Apr 2021 19:12:21 +0200 Subject: [PATCH 114/190] Adds two semantic colors for search fields. --- .../Colors and Styles/UIColor+MurielColors.swift | 10 ++++++++++ .../Colors and Styles/WPStyleGuide+Search.swift | 6 +++--- 2 files changed, 13 insertions(+), 3 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/UIColor+MurielColors.swift b/WordPress/Classes/Extensions/Colors and Styles/UIColor+MurielColors.swift index ccad040c0dbf..c7eaf91cc59a 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/UIColor+MurielColors.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/UIColor+MurielColors.swift @@ -172,6 +172,16 @@ extension UIColor { return UIColor(light: .systemGray6, dark: .systemGray5) } + // MARK: - Search Fields + + static var searchFieldPlaceholderText: UIColor { + return .secondaryLabel + } + + static var searchFieldIcons: UIColor { + return .secondaryLabel + } + // MARK: - Table Views static var divider: UIColor { diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index a54899238bd0..6da9ff195dd7 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -26,8 +26,8 @@ extension WPStyleGuide { // We have to manually tint these images, as we want them // a different color from the search bar's cursor (which uses `tintColor`) - let cancelImage = UIImage.gridicon(.crossCircle, size: iconSizes).withTintColor(.secondaryLabel).withRenderingMode(.alwaysOriginal) - let searchImage = UIImage.gridicon(.search, size: iconSizes).withTintColor(.secondaryLabel).withRenderingMode(.alwaysOriginal) + let cancelImage = UIImage.gridicon(.crossCircle, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) + let searchImage = UIImage.gridicon(.search, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) UISearchBar.appearance().setImage(cancelImage, for: .clear, state: UIControl.State()) UISearchBar.appearance().setImage(searchImage, for: .search, state: UIControl.State()) } @@ -44,7 +44,7 @@ extension WPStyleGuide { (WPStyleGuide.defaultSearchBarTextAttributesSwifted()) let placeholderText = NSLocalizedString("Search", comment: "Placeholder text for the search bar") let attributedPlaceholderText = NSAttributedString(string: placeholderText, - attributes: WPStyleGuide.defaultSearchBarTextAttributesSwifted()) + attributes: WPStyleGuide.defaultSearchBarTextAttributesSwifted(.searchFieldPlaceholderText)) UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self]).attributedPlaceholder = attributedPlaceholderText } From eedf47c69bbe4cf0c99198195dfecc922d52e0a1 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Tue, 27 Apr 2021 12:57:55 -0600 Subject: [PATCH 115/190] Use derived context to add/delete Like Users. --- .../Classes/Services/LikeUserHelpers.swift | 6 +- .../Classes/Services/PostService+Likes.swift | 70 ++++++++++++------- .../Likes/LikesListController.swift | 4 +- 3 files changed, 50 insertions(+), 30 deletions(-) diff --git a/WordPress/Classes/Services/LikeUserHelpers.swift b/WordPress/Classes/Services/LikeUserHelpers.swift index c937f5903f2b..99180da643aa 100644 --- a/WordPress/Classes/Services/LikeUserHelpers.swift +++ b/WordPress/Classes/Services/LikeUserHelpers.swift @@ -5,10 +5,10 @@ import Foundation /// @objc class LikeUserHelper: NSObject { - @objc class func createUserFrom(remoteUser: RemoteLikeUser, context: NSManagedObjectContext) -> LikeUser? { + @objc class func createUserFrom(remoteUser: RemoteLikeUser, context: NSManagedObjectContext) { guard let likeUser = NSEntityDescription.insertNewObject(forEntityName: "LikeUser", into: context) as? LikeUser else { - return nil + return } likeUser.userID = remoteUser.userID.int64Value @@ -20,8 +20,6 @@ import Foundation likeUser.dateLikesString = remoteUser.dateLiked ?? "" likeUser.dateLiked = DateUtils.date(fromISOString: likeUser.dateLikesString) likeUser.preferredBlog = createPreferredBlogFrom(remotePreferredBlog: remoteUser.preferredBlog, forUser: likeUser, context: context) - - return likeUser } private class func createPreferredBlogFrom(remotePreferredBlog: RemoteLikeUserPreferredBlog?, diff --git a/WordPress/Classes/Services/PostService+Likes.swift b/WordPress/Classes/Services/PostService+Likes.swift index 8f215eab0af4..fca61657ebfc 100644 --- a/WordPress/Classes/Services/PostService+Likes.swift +++ b/WordPress/Classes/Services/PostService+Likes.swift @@ -10,29 +10,23 @@ extension PostService { */ func getLikesFor(postID: NSNumber, siteID: NSNumber, - success: @escaping (([LikeUser]?) -> Void), - failure: ((Error?) -> Void)? = nil) { + success: @escaping (([LikeUser]) -> Void), + failure: @escaping ((Error?) -> Void)) { guard let remote = PostServiceRemoteFactory().restRemoteFor(siteID: siteID, context: managedObjectContext) else { DDLogError("Unable to create a REST remote for posts.") - failure?(nil) + failure(nil) return } remote.getLikesForPostID(postID) { remoteLikeUsers in - - self.deleteExistingUsersFor(postID: postID) - - guard let remoteLikeUsers = remoteLikeUsers, - !remoteLikeUsers.isEmpty else { - success(nil) - return + self.createNewUsers(from: remoteLikeUsers, for: postID) { + let users = self.likeUsersFor(postID: postID) + success(users) } - - success(self.createNewUsers(from: remoteLikeUsers)) } failure: { error in DDLogError(String(describing: error)) - failure?(error) + failure(error) } } @@ -40,29 +34,57 @@ extension PostService { private extension PostService { - private func createNewUsers(from remoteLikeUsers: [RemoteLikeUser]) -> [LikeUser] { - var likeUsers = [LikeUser]() + func createNewUsers(from remoteLikeUsers: [RemoteLikeUser]?, + for postID: NSNumber, + onComplete: @escaping (() -> Void)) { - remoteLikeUsers.forEach { - if let likeUser = LikeUserHelper.createUserFrom(remoteUser: $0, context: self.managedObjectContext) { - likeUsers.append(likeUser) - } + guard let remoteLikeUsers = remoteLikeUsers, + !remoteLikeUsers.isEmpty else { + onComplete() + return } - return likeUsers + let derivedContext = ContextManager.shared.newDerivedContext() + + derivedContext.perform { + + self.deleteExistingUsersFor(postID: postID, from: derivedContext) + + remoteLikeUsers.forEach { + LikeUserHelper.createUserFrom(remoteUser: $0, context: derivedContext) + } + + ContextManager.shared.save(derivedContext) { + DispatchQueue.main.async { + onComplete() + } + } + } } - private func deleteExistingUsersFor(postID: NSNumber) { + func deleteExistingUsersFor(postID: NSNumber, from context: NSManagedObjectContext) { let request = LikeUser.fetchRequest() as NSFetchRequest - // TODO: filter by postID + // TODO: filter request by postID do { - let users = try managedObjectContext.fetch(request) - users.forEach { managedObjectContext.delete($0) } + let users = try context.fetch(request) + users.forEach { context.delete($0) } } catch { DDLogError("Error fetching Like Users: \(error)") } } + func likeUsersFor(postID: NSNumber) -> [LikeUser] { + let request = LikeUser.fetchRequest() as NSFetchRequest + + // TODO: filter request by postID + + if let users = try? managedObjectContext.fetch(request) { + return users + } + + return [LikeUser]() + } + } diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index 413d9b44322a..7802d8acaac5 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -126,11 +126,11 @@ class LikesListController: NSObject { /// // TODO: for testing only. Remove before merging. - let successBlock = { (likeUsers: [LikeUser]?) -> Void in + let successBlock = { (likeUsers: [LikeUser]) -> Void in print("🔴 likeUsers: ", likeUsers) } - postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock) + postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock, failure: failure) /// case .comment(let commentID): From 05ed5a033f601cd826480a2f34682e6eb59dc0f9 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Tue, 27 Apr 2021 14:01:08 -0600 Subject: [PATCH 116/190] Update WPKit version. --- Podfile | 4 ++-- Podfile.lock | 13 ++++--------- 2 files changed, 6 insertions(+), 11 deletions(-) diff --git a/Podfile b/Podfile index b456fb08f1dc..aceef57b7bb3 100644 --- a/Podfile +++ b/Podfile @@ -47,10 +47,10 @@ def wordpress_ui end def wordpress_kit - # pod 'WordPressKit', '~> 4.32.0-beta' + pod 'WordPressKit', '~> 4.32.0-beta' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => 'fix/15662-preferred_blog_public_properties' + # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index c34bc966731c..c01b57490849 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.37.0-beta.1) - - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, branch `fix/15662-preferred_blog_public_properties`) + - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -511,6 +511,7 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator + - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -650,9 +651,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :branch: fix/15662-preferred_blog_public_properties - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -668,9 +666,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :commit: 68aaf3bc68fdfba5a75c221fc8a994ddc31ad1f3 - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -752,7 +747,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: b2fbd0667cdfc7440cb398b4287fb8f4b371c86e + WordPressKit: e0a599a68a95bfb87fc829548e35aecd1f5b745a WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -768,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 90d09cd3f07e47a46ad5ed3fe6ff76786bfddb50 +PODFILE CHECKSUM: 2d5cb8b46a7d06c27483a62bab0c650a86cf1449 COCOAPODS: 1.10.0 From d3735a67b32b70a12fa5f3e65352f48604ae777e Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Tue, 27 Apr 2021 14:05:36 -0600 Subject: [PATCH 117/190] Remove testing code. --- .../ViewRelated/Likes/LikesListController.swift | 10 ---------- 1 file changed, 10 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index 7802d8acaac5..f241bd8470de 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -123,16 +123,6 @@ class LikesListController: NSObject { siteID: siteID, success: success, failure: failure) - - /// - // TODO: for testing only. Remove before merging. - let successBlock = { (likeUsers: [LikeUser]) -> Void in - print("🔴 likeUsers: ", likeUsers) - } - - postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock, failure: failure) - /// - case .comment(let commentID): commentService.getLikesForCommentID(commentID, siteID: siteID, From ad06491e0582d8e04f78574fee46d50f9ef962d8 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Tue, 27 Apr 2021 17:58:05 -0600 Subject: [PATCH 118/190] Update WPKit to use branch. --- Podfile | 5 ++--- Podfile.lock | 15 ++++++++++----- 2 files changed, 12 insertions(+), 8 deletions(-) diff --git a/Podfile b/Podfile index aceef57b7bb3..246c335f2992 100644 --- a/Podfile +++ b/Podfile @@ -47,10 +47,9 @@ def wordpress_ui end def wordpress_kit - pod 'WordPressKit', '~> 4.32.0-beta' + # pod 'WordPressKit', '~> 4.32.0-beta' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' + pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => 'feature/15662-parse_like_ids' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index c01b57490849..3cc1d2fc1bad 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.32.0-beta.6): + - WordPressKit (4.32.0-beta.7): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.37.0-beta.1) - - WordPressKit (~> 4.32.0-beta) + - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, branch `feature/15662-parse_like_ids`) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -511,7 +511,6 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator - - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -651,6 +650,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :branch: feature/15662-parse_like_ids + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -666,6 +668,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressKit: + :commit: 90bb78064a9953d0ef12827c1ec62235943c3592 + :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -747,7 +752,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: e0a599a68a95bfb87fc829548e35aecd1f5b745a + WordPressKit: c2fb5465bdcaf5275a2560dba3a1299164a4f7d2 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 2d5cb8b46a7d06c27483a62bab0c650a86cf1449 +PODFILE CHECKSUM: f5816a586ecf6a6827f7cf6c70f0d7c580e8651f COCOAPODS: 1.10.0 From 3fd4a740ee65a90bd1e46e96adbaff862892f49b Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Wed, 28 Apr 2021 11:17:22 +0200 Subject: [PATCH 119/190] Fixes some coloring issues in a search bar in the reader. --- .../Colors and Styles/WPStyleGuide+Search.swift | 4 ++-- .../Reader/ReaderFollowedSitesViewController.swift | 8 ++++++-- 2 files changed, 8 insertions(+), 4 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index 6da9ff195dd7..c99a02b577a6 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -26,9 +26,9 @@ extension WPStyleGuide { // We have to manually tint these images, as we want them // a different color from the search bar's cursor (which uses `tintColor`) - let cancelImage = UIImage.gridicon(.crossCircle, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) + let clearImage = UIImage.gridicon(.crossCircle, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) let searchImage = UIImage.gridicon(.search, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) - UISearchBar.appearance().setImage(cancelImage, for: .clear, state: UIControl.State()) + UISearchBar.appearance().setImage(clearImage, for: .clear, state: UIControl.State()) UISearchBar.appearance().setImage(searchImage, for: .search, state: UIControl.State()) } diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift index 9905a55f5e4d..ec45e080c4d7 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift @@ -132,10 +132,14 @@ class ReaderFollowedSitesViewController: UIViewController, UIViewControllerResto UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderFollowedSitesViewController.self]).defaultTextAttributes = textAttributes WPStyleGuide.configureSearchBar(searchBar) + let iconSizes = CGSize(width: 20, height: 20) + let clearImage = UIImage.gridicon(.crossCircle, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) + let addOutline = UIImage.gridicon(.addOutline, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) + searchBar.autocapitalizationType = .none searchBar.keyboardType = .URL - searchBar.setImage(UIImage(named: "icon-clear-textfield"), for: .clear, state: UIControl.State()) - searchBar.setImage(UIImage(named: "icon-reader-search-plus"), for: .search, state: UIControl.State()) + searchBar.setImage(clearImage, for: .clear, state: UIControl.State()) + searchBar.setImage(addOutline, for: .search, state: UIControl.State()) searchBar.searchTextField.accessibilityLabel = NSLocalizedString("Site URL", comment: "The accessibility label for the followed sites search field") searchBar.searchTextField.accessibilityValue = nil searchBar.searchTextField.accessibilityHint = placeholderText From c2c302daff0ce13a5d40e95f9b3684225ca73ec3 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Wed, 28 Apr 2021 11:18:20 +0200 Subject: [PATCH 120/190] rake lint:autocorrect --- .../ViewRelated/Reader/ReaderFollowedSitesViewController.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift index ec45e080c4d7..290ed29dfcc3 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift @@ -135,7 +135,7 @@ class ReaderFollowedSitesViewController: UIViewController, UIViewControllerResto let iconSizes = CGSize(width: 20, height: 20) let clearImage = UIImage.gridicon(.crossCircle, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) let addOutline = UIImage.gridicon(.addOutline, size: iconSizes).withTintColor(.searchFieldIcons).withRenderingMode(.alwaysOriginal) - + searchBar.autocapitalizationType = .none searchBar.keyboardType = .URL searchBar.setImage(clearImage, for: .clear, state: UIControl.State()) From 505df6c45b25976308d0780082e2b5f790e879ab Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Wed, 28 Apr 2021 14:59:05 +0200 Subject: [PATCH 121/190] Fixes an issue that was causing search fields to become taller. --- .../Extensions/Colors and Styles/WPStyleGuide+Search.swift | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index c99a02b577a6..1930fcce3ddd 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -40,8 +40,7 @@ extension WPStyleGuide { barButtonItemAppearance.setTitleTextAttributes(barButtonTitleAttributes, for: UIControl.State()) // Text field - UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self]).defaultTextAttributes = - (WPStyleGuide.defaultSearchBarTextAttributesSwifted()) + UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self]).font = WPStyleGuide.fixedFont(for: .body) let placeholderText = NSLocalizedString("Search", comment: "Placeholder text for the search bar") let attributedPlaceholderText = NSAttributedString(string: placeholderText, attributes: WPStyleGuide.defaultSearchBarTextAttributesSwifted(.searchFieldPlaceholderText)) From cbd57cbd9661a1a7d79d2f060538de07e0b8a730 Mon Sep 17 00:00:00 2001 From: Leandro Alonso Date: Wed, 28 Apr 2021 10:47:41 -0300 Subject: [PATCH 122/190] Update: Automattic-Tracks-iOS to 0.8.5 --- Podfile | 4 ++-- Podfile.lock | 11 +++-------- 2 files changed, 5 insertions(+), 10 deletions(-) diff --git a/Podfile b/Podfile index 3173c69892bf..ff22d0fdb857 100644 --- a/Podfile +++ b/Podfile @@ -192,9 +192,9 @@ abstract_target 'Apps' do # Production - #pod 'Automattic-Tracks-iOS', '~> 0.8.4' + pod 'Automattic-Tracks-iOS', '~> 0.8.5' # While in PR - pod 'Automattic-Tracks-iOS', :git => 'https://github.com/Automattic/Automattic-Tracks-iOS.git', :branch => 'task/update_explat_endpoints' + # pod 'Automattic-Tracks-iOS', :git => 'https://github.com/Automattic/Automattic-Tracks-iOS.git', :branch => '' # Local Development #pod 'Automattic-Tracks-iOS', :path => '~/Projects/Automattic-Tracks-iOS' diff --git a/Podfile.lock b/Podfile.lock index 42fcda1fd1f6..0eeba1d233a7 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -438,7 +438,7 @@ DEPENDENCIES: - AMScrollingNavbar (= 5.6.0) - AppCenter (= 4.1.1) - AppCenter/Distribute (= 4.1.1) - - Automattic-Tracks-iOS (from `https://github.com/Automattic/Automattic-Tracks-iOS.git`, branch `task/update_explat_endpoints`) + - Automattic-Tracks-iOS (~> 0.8.5) - Charts (~> 3.2.2) - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) @@ -520,6 +520,7 @@ SPEC REPOS: - AMScrollingNavbar - AppAuth - AppCenter + - Automattic-Tracks-iOS - boost-for-react-native - Charts - CocoaLumberjack @@ -565,9 +566,6 @@ SPEC REPOS: - ZIPFoundation EXTERNAL SOURCES: - Automattic-Tracks-iOS: - :branch: task/update_explat_endpoints - :git: https://github.com/Automattic/Automattic-Tracks-iOS.git FBLazyVector: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: @@ -657,9 +655,6 @@ EXTERNAL SOURCES: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: - Automattic-Tracks-iOS: - :commit: 85a0ba0d440df70374a2fbb24868eb829148d0d1 - :git: https://github.com/Automattic/Automattic-Tracks-iOS.git FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 @@ -768,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 8898781bd06b9f9068d8fefe6225faf10abb1816 +PODFILE CHECKSUM: c6d4556d0c50a4b6995bca5d6315ce5441418a18 COCOAPODS: 1.10.0 From 769c903a4b3f0a478d7db4d68c6cb6623c04aaa5 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 28 Apr 2021 11:30:28 -0600 Subject: [PATCH 123/190] Update with WPKit branch changes. --- Podfile.lock | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Podfile.lock b/Podfile.lock index 3cc1d2fc1bad..3088561256d5 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -669,7 +669,7 @@ CHECKOUT OPTIONS: :submodules: true :tag: v1.51.0 WordPressKit: - :commit: 90bb78064a9953d0ef12827c1ec62235943c3592 + :commit: 3d9db82e43dea19cf8e3bab41dd98b4ac5039557 :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: From f1a82a41c25e5ea5a0924cacedfaf6c4276e9754 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 28 Apr 2021 12:15:21 -0600 Subject: [PATCH 124/190] Update tests. --- WordPress/WordPressTest/CommentServiceTests.swift | 2 +- WordPress/WordPressTest/Services/PostServiceWPComTests.swift | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/WordPressTest/CommentServiceTests.swift b/WordPress/WordPressTest/CommentServiceTests.swift index cbb43204cff2..cb1b4dd60770 100644 --- a/WordPress/WordPressTest/CommentServiceTests.swift +++ b/WordPress/WordPressTest/CommentServiceTests.swift @@ -41,7 +41,7 @@ final class CommentServiceTests: XCTestCase { "avatar_URL": "avatar URL" ] - return RemoteLikeUser(dictionary: userDict) + return RemoteLikeUser(dictionary: userDict, commentID: NSNumber(value: 1), siteID: NSNumber(value: 2)) } } diff --git a/WordPress/WordPressTest/Services/PostServiceWPComTests.swift b/WordPress/WordPressTest/Services/PostServiceWPComTests.swift index 702b35b30007..c96ca7b5804b 100644 --- a/WordPress/WordPressTest/Services/PostServiceWPComTests.swift +++ b/WordPress/WordPressTest/Services/PostServiceWPComTests.swift @@ -312,7 +312,7 @@ class PostServiceWPComTests: XCTestCase { "avatar_URL": "avatar URL" ] - return RemoteLikeUser(dictionary: userDict) + return RemoteLikeUser(dictionary: userDict, postID: NSNumber(value: 1), siteID: NSNumber(value: 2)) } } From 3a3ec246d13a8d92a5d1ae57a105c635845a8fb6 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 28 Apr 2021 12:35:19 -0600 Subject: [PATCH 125/190] Update WPKit version. --- Podfile | 4 ++-- Podfile.lock | 13 ++++--------- 2 files changed, 6 insertions(+), 11 deletions(-) diff --git a/Podfile b/Podfile index 9c279c5b69ae..06681354cd56 100644 --- a/Podfile +++ b/Podfile @@ -47,9 +47,9 @@ def wordpress_ui end def wordpress_kit - # pod 'WordPressKit', '~> 4.32.0-beta' + pod 'WordPressKit', '~> 4.32.0-beta' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => 'feature/15662-parse_like_ids' + # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index a1f2988c1063..6f31bacddfa6 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -499,7 +499,7 @@ DEPENDENCIES: - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - WordPressAuthenticator (~> 1.37.0-beta.1) - - WordPressKit (from `https://github.com/wordpress-mobile/WordPressKit-iOS.git`, branch `feature/15662-parse_like_ids`) + - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -511,6 +511,7 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator + - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -650,9 +651,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :branch: feature/15662-parse_like_ids - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -668,9 +666,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressKit: - :commit: 3d9db82e43dea19cf8e3bab41dd98b4ac5039557 - :git: https://github.com/wordpress-mobile/WordPressKit-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -752,7 +747,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: c2fb5465bdcaf5275a2560dba3a1299164a4f7d2 + WordPressKit: f4a5dc6c81866defddd69ce49427f2d460ed63ad WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -768,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 92f247434796cd19aac30fcdf6d97c11b4d94318 +PODFILE CHECKSUM: aac1cbd1bff8bb0f956e0d1efde61d97fc334a17 COCOAPODS: 1.10.0 From 13c1f0e4881480a72b520d8ceb283f8d9c56d60f Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 28 Apr 2021 12:58:53 -0600 Subject: [PATCH 126/190] Add ID attributes to LikeUser entity. --- MIGRATIONS.md | 10 + .../Likes/LikeUser+CoreDataProperties.swift | 5 +- .../Classes/Services/LikeUserHelpers.swift | 7 +- .../WordPress.xcdatamodeld/.xccurrentversion | 2 +- .../WordPress 123.xcdatamodel/contents | 1046 +++++++++++++++++ WordPress/WordPress.xcodeproj/project.pbxproj | 4 +- 6 files changed, 1069 insertions(+), 5 deletions(-) create mode 100644 WordPress/Classes/WordPress.xcdatamodeld/WordPress 123.xcdatamodel/contents diff --git a/MIGRATIONS.md b/MIGRATIONS.md index b42b9812f29a..19325c268d1d 100644 --- a/MIGRATIONS.md +++ b/MIGRATIONS.md @@ -3,6 +3,16 @@ This file documents changes in the data model. Please explain any changes to the data model as well as any custom migrations. +## WordPress 123 + +@scoutharris 2021-04-28 + +- Added new attributes to `LikeUser`: + - `likedSiteID` + - `likedPostID` + - `likedCommentID` +- Corrected spelling of `dateLikedString` + ## WordPress 122 @scoutharris 2021-04-23 diff --git a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift index 0a3a5af23f70..92db2bc06dbe 100644 --- a/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift +++ b/WordPress/Classes/Models/Notifications/Likes/LikeUser+CoreDataProperties.swift @@ -13,7 +13,10 @@ extension LikeUser { @NSManaged public var avatarUrl: String @NSManaged public var bio: String @NSManaged public var dateLiked: Date - @NSManaged public var dateLikesString: String + @NSManaged public var dateLikedString: String + @NSManaged public var likedSiteID: Int64 + @NSManaged public var likedPostID: Int64 + @NSManaged public var likedCommentID: Int64 @NSManaged public var preferredBlog: LikeUserPreferredBlog? } diff --git a/WordPress/Classes/Services/LikeUserHelpers.swift b/WordPress/Classes/Services/LikeUserHelpers.swift index 99180da643aa..92fb06d6eec2 100644 --- a/WordPress/Classes/Services/LikeUserHelpers.swift +++ b/WordPress/Classes/Services/LikeUserHelpers.swift @@ -17,8 +17,11 @@ import Foundation likeUser.primaryBlogID = remoteUser.primaryBlogID.int64Value likeUser.avatarUrl = remoteUser.avatarURL likeUser.bio = remoteUser.bio ?? "" - likeUser.dateLikesString = remoteUser.dateLiked ?? "" - likeUser.dateLiked = DateUtils.date(fromISOString: likeUser.dateLikesString) + likeUser.dateLikedString = remoteUser.dateLiked ?? "" + likeUser.dateLiked = DateUtils.date(fromISOString: likeUser.dateLikedString) + likeUser.likedSiteID = remoteUser.likedSiteID?.int64Value ?? 0 + likeUser.likedPostID = remoteUser.likedPostID?.int64Value ?? 0 + likeUser.likedCommentID = remoteUser.likedCommentID?.int64Value ?? 0 likeUser.preferredBlog = createPreferredBlogFrom(remotePreferredBlog: remoteUser.preferredBlog, forUser: likeUser, context: context) } diff --git a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion index 7796626b93b2..466c7b4e07ae 100644 --- a/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion +++ b/WordPress/Classes/WordPress.xcdatamodeld/.xccurrentversion @@ -3,6 +3,6 @@ _XCCurrentVersionName - WordPress 122.xcdatamodel + WordPress 123.xcdatamodel diff --git a/WordPress/Classes/WordPress.xcdatamodeld/WordPress 123.xcdatamodel/contents b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 123.xcdatamodel/contents new file mode 100644 index 000000000000..82afe53da31d --- /dev/null +++ b/WordPress/Classes/WordPress.xcdatamodeld/WordPress 123.xcdatamodel/contents @@ -0,0 +1,1046 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index a3c745702873..f43328267356 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -5889,6 +5889,7 @@ 979B445A45E13F3289F2E99E /* Pods_WordPressThisWeekWidget.framework */ = {isa = PBXFileReference; explicitFileType = wrapper.framework; includeInIndex = 0; path = Pods_WordPressThisWeekWidget.framework; sourceTree = BUILT_PRODUCTS_DIR; }; 98035B7225C49CC1002C0EB4 /* WordPress 112.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 112.xcdatamodel"; sourceTree = ""; }; 9804A096263780B400354097 /* LikeUserHelpers.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = LikeUserHelpers.swift; sourceTree = ""; }; + 9804E0B42639D88C00532095 /* WordPress 123.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 123.xcdatamodel"; sourceTree = ""; }; 98077B592075561800109F95 /* SupportTableViewController.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = SupportTableViewController.swift; sourceTree = ""; }; 98086559203D075D00D58786 /* EpilogueUserInfoCell.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = EpilogueUserInfoCell.xib; sourceTree = ""; }; 9808655B203D079A00D58786 /* EpilogueUserInfoCell.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = EpilogueUserInfoCell.swift; sourceTree = ""; }; @@ -23612,6 +23613,7 @@ E125443B12BF5A7200D87A0A /* WordPress.xcdatamodeld */ = { isa = XCVersionGroup; children = ( + 9804E0B42639D88C00532095 /* WordPress 123.xcdatamodel */, 98DD1EF2263337C400CF0440 /* WordPress 122.xcdatamodel */, C3ABE791263099F7009BD402 /* WordPress 121.xcdatamodel */, 46F583A42624C8FA0010A723 /* WordPress 120.xcdatamodel */, @@ -23735,7 +23737,7 @@ 8350E15911D28B4A00A7B073 /* WordPress.xcdatamodel */, E125443D12BF5A7200D87A0A /* WordPress 2.xcdatamodel */, ); - currentVersion = 98DD1EF2263337C400CF0440 /* WordPress 122.xcdatamodel */; + currentVersion = 9804E0B42639D88C00532095 /* WordPress 123.xcdatamodel */; name = WordPress.xcdatamodeld; path = Classes/WordPress.xcdatamodeld; sourceTree = ""; From 746496fa3816192f7b5df8e0c55b9533b10dbe0c Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 28 Apr 2021 17:48:34 -0600 Subject: [PATCH 127/190] Filter requests by siteID and postID when deleting and fetching likes. --- .../Classes/Services/PostService+Likes.swift | 19 +++++++++---------- 1 file changed, 9 insertions(+), 10 deletions(-) diff --git a/WordPress/Classes/Services/PostService+Likes.swift b/WordPress/Classes/Services/PostService+Likes.swift index fca61657ebfc..1436dc811202 100644 --- a/WordPress/Classes/Services/PostService+Likes.swift +++ b/WordPress/Classes/Services/PostService+Likes.swift @@ -20,8 +20,8 @@ extension PostService { } remote.getLikesForPostID(postID) { remoteLikeUsers in - self.createNewUsers(from: remoteLikeUsers, for: postID) { - let users = self.likeUsersFor(postID: postID) + self.createNewUsers(from: remoteLikeUsers, postID: postID, siteID: siteID) { + let users = self.likeUsersFor(postID: postID, siteID: siteID) success(users) } } failure: { error in @@ -35,7 +35,8 @@ extension PostService { private extension PostService { func createNewUsers(from remoteLikeUsers: [RemoteLikeUser]?, - for postID: NSNumber, + postID: NSNumber, + siteID: NSNumber, onComplete: @escaping (() -> Void)) { guard let remoteLikeUsers = remoteLikeUsers, @@ -48,7 +49,7 @@ private extension PostService { derivedContext.perform { - self.deleteExistingUsersFor(postID: postID, from: derivedContext) + self.deleteExistingUsersFor(postID: postID, siteID: siteID, from: derivedContext) remoteLikeUsers.forEach { LikeUserHelper.createUserFrom(remoteUser: $0, context: derivedContext) @@ -62,10 +63,9 @@ private extension PostService { } } - func deleteExistingUsersFor(postID: NSNumber, from context: NSManagedObjectContext) { + func deleteExistingUsersFor(postID: NSNumber, siteID: NSNumber, from context: NSManagedObjectContext) { let request = LikeUser.fetchRequest() as NSFetchRequest - - // TODO: filter request by postID + request.predicate = NSPredicate(format: "likedSiteID = %@ AND likedPostID = %@", siteID, postID) do { let users = try context.fetch(request) @@ -75,10 +75,9 @@ private extension PostService { } } - func likeUsersFor(postID: NSNumber) -> [LikeUser] { + func likeUsersFor(postID: NSNumber, siteID: NSNumber) -> [LikeUser] { let request = LikeUser.fetchRequest() as NSFetchRequest - - // TODO: filter request by postID + request.predicate = NSPredicate(format: "likedSiteID = %@ AND likedPostID = %@", siteID, postID) if let users = try? managedObjectContext.fetch(request) { return users From 25e11d116d5e95eae522ff4d5c7b1829dcf459ea Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Wed, 28 Apr 2021 17:48:50 -0600 Subject: [PATCH 128/190] Add temporary call to new fetch method for testing. --- .../Classes/ViewRelated/Likes/LikesListController.swift | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index f241bd8470de..55844a65299a 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -123,6 +123,15 @@ class LikesListController: NSObject { siteID: siteID, success: success, failure: failure) + + /// + // TODO: for testing only. Remove before merging. + let successBlock = { (likeUsers: [LikeUser]) -> Void in + likeUsers.forEach { print("🔴 user: ", $0.displayName) } + } + postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock, failure: failure) + /// + case .comment(let commentID): commentService.getLikesForCommentID(commentID, siteID: siteID, From 83fc16c65e51b102bba9737906131d073a840d00 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Thu, 29 Apr 2021 11:27:51 +0200 Subject: [PATCH 129/190] Increases the version of WPAuth. --- Podfile | 4 ++-- Podfile.lock | 15 +++++---------- 2 files changed, 7 insertions(+), 12 deletions(-) diff --git a/Podfile b/Podfile index 4a8c7837eb19..a2f7e1beec4c 100644 --- a/Podfile +++ b/Podfile @@ -208,10 +208,10 @@ abstract_target 'Apps' do pod 'Gridicons', '~> 1.1.0' - # pod 'WordPressAuthenticator', '~> 1.37.0-beta.1' + pod 'WordPressAuthenticator', '~> 1.37.0-beta.2' # While in PR # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => '' - pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => 'a595755b191592a82361ec4830aff2c394b91832' + # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => '' # pod 'WordPressAuthenticator', :path => '../WordPressAuthenticator-iOS' pod 'MediaEditor', '~> 1.2.1' diff --git a/Podfile.lock b/Podfile.lock index 982b27267f1d..6386b2e54ef2 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -389,7 +389,7 @@ PODS: - WordPress-Aztec-iOS (1.19.4) - WordPress-Editor-iOS (1.19.4): - WordPress-Aztec-iOS (= 1.19.4) - - WordPressAuthenticator (1.37.0-beta.1): + - WordPressAuthenticator (1.37.0-beta.2): - 1PasswordExtension (~> 1.8.6) - Alamofire (~> 4.8) - CocoaLumberjack (~> 3.5) @@ -498,7 +498,7 @@ DEPENDENCIES: - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - - WordPressAuthenticator (from `https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git`, commit `a595755b191592a82361ec4830aff2c394b91832`) + - WordPressAuthenticator (~> 1.37.0-beta.2) - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) @@ -510,6 +510,7 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: + - WordPressAuthenticator - WordPressKit trunk: - 1PasswordExtension @@ -650,9 +651,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressAuthenticator: - :commit: a595755b191592a82361ec4830aff2c394b91832 - :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -668,9 +666,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressAuthenticator: - :commit: a595755b191592a82361ec4830aff2c394b91832 - :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -751,7 +746,7 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: ff0e2167a487c85da00e601beb0f0fde5a33b03f + WordPressAuthenticator: 840ad36d539a218de393bd4e2f6146e0d46cadba WordPressKit: f941a43d9a181897f5b54bb256ef01ecbdca120d WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 @@ -768,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: bf714c538d4b612608ef1c56b9f4c041809c0841 +PODFILE CHECKSUM: 68855964ef2613222a0f6b9131f0337464a9327f COCOAPODS: 1.10.0 From 85ce40dbd51696082eefa1b95c3d32abc26bdcf9 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Thu, 29 Apr 2021 12:43:52 +0200 Subject: [PATCH 130/190] Fixes an issue with the height of search bars. --- .../Extensions/Colors and Styles/WPStyleGuide+Search.swift | 1 - .../Reader/ReaderFollowedSitesViewController.swift | 6 +----- .../ViewRelated/Reader/ReaderSearchViewController.swift | 7 ++----- 3 files changed, 3 insertions(+), 11 deletions(-) diff --git a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift index 1930fcce3ddd..9415923d2f58 100644 --- a/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift +++ b/WordPress/Classes/Extensions/Colors and Styles/WPStyleGuide+Search.swift @@ -40,7 +40,6 @@ extension WPStyleGuide { barButtonItemAppearance.setTitleTextAttributes(barButtonTitleAttributes, for: UIControl.State()) // Text field - UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self]).font = WPStyleGuide.fixedFont(for: .body) let placeholderText = NSLocalizedString("Search", comment: "Placeholder text for the search bar") let attributedPlaceholderText = NSAttributedString(string: placeholderText, attributes: WPStyleGuide.defaultSearchBarTextAttributesSwifted(.searchFieldPlaceholderText)) diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift index 290ed29dfcc3..4422b339729c 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderFollowedSitesViewController.swift @@ -125,11 +125,7 @@ class ReaderFollowedSitesViewController: UIViewController, UIViewControllerResto @objc func configureSearchBar() { let placeholderText = NSLocalizedString("Enter the URL of a site to follow", comment: "Placeholder text prompting the user to type the name of the URL they would like to follow.") - let attributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() - let attributedPlaceholder = NSAttributedString(string: placeholderText, attributes: attributes) - UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderFollowedSitesViewController.self]).attributedPlaceholder = attributedPlaceholder - let textAttributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() - UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderFollowedSitesViewController.self]).defaultTextAttributes = textAttributes + UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderFollowedSitesViewController.self]).placeholder = placeholderText WPStyleGuide.configureSearchBar(searchBar) let iconSizes = CGSize(width: 20, height: 20) diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift b/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift index 2691b03f47e0..2d3245614428 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderSearchViewController.swift @@ -161,11 +161,8 @@ import Gridicons @objc func setupSearchBar() { // Appearance must be set before the search bar is added to the view hierarchy. let placeholderText = NSLocalizedString("Search WordPress", comment: "Placeholder text for the Reader search feature.") - let attributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() - let attributedPlaceholder = NSAttributedString(string: placeholderText, attributes: attributes) - UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderSearchViewController.self]).attributedPlaceholder = attributedPlaceholder - let textAttributes = WPStyleGuide.defaultSearchBarTextAttributesSwifted() - UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderSearchViewController.self]).defaultTextAttributes = textAttributes + UITextField.appearance(whenContainedInInstancesOf: [UISearchBar.self, ReaderSearchViewController.self]).placeholder = placeholderText + searchBar.becomeFirstResponder() WPStyleGuide.configureSearchBar(searchBar) } From 6beffe62c5d16517c9a24fd64972eb7e7d6097a9 Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 29 Apr 2021 10:35:35 -0600 Subject: [PATCH 131/190] Remove testing code. --- .../Classes/ViewRelated/Likes/LikesListController.swift | 9 --------- 1 file changed, 9 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index 55844a65299a..f241bd8470de 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -123,15 +123,6 @@ class LikesListController: NSObject { siteID: siteID, success: success, failure: failure) - - /// - // TODO: for testing only. Remove before merging. - let successBlock = { (likeUsers: [LikeUser]) -> Void in - likeUsers.forEach { print("🔴 user: ", $0.displayName) } - } - postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock, failure: failure) - /// - case .comment(let commentID): commentService.getLikesForCommentID(commentID, siteID: siteID, From fe166847e9e14ffa7e1a531c041884ef90b61579 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:52:13 -0400 Subject: [PATCH 132/190] Add StarFieldView --- .../AppImages.xcassets/Prologue/Contents.json | 6 + .../circle-particle.imageset/Contents.json | 12 ++ .../circle-particle.pdf | Bin 0 -> 3826 bytes .../Jetpack/Classes/NUX/StarFieldView.swift | 194 ++++++++++++++++++ WordPress/WordPress.xcodeproj/project.pbxproj | 12 ++ 5 files changed, 224 insertions(+) create mode 100644 WordPress/Jetpack/AppImages.xcassets/Prologue/Contents.json create mode 100644 WordPress/Jetpack/AppImages.xcassets/Prologue/circle-particle.imageset/Contents.json create mode 100644 WordPress/Jetpack/AppImages.xcassets/Prologue/circle-particle.imageset/circle-particle.pdf create mode 100644 WordPress/Jetpack/Classes/NUX/StarFieldView.swift diff --git a/WordPress/Jetpack/AppImages.xcassets/Prologue/Contents.json b/WordPress/Jetpack/AppImages.xcassets/Prologue/Contents.json new file mode 100644 index 000000000000..73c00596a7fc --- /dev/null +++ b/WordPress/Jetpack/AppImages.xcassets/Prologue/Contents.json @@ -0,0 +1,6 @@ +{ + "info" : { + "author" : "xcode", + "version" : 1 + } +} diff --git a/WordPress/Jetpack/AppImages.xcassets/Prologue/circle-particle.imageset/Contents.json b/WordPress/Jetpack/AppImages.xcassets/Prologue/circle-particle.imageset/Contents.json new file mode 100644 index 000000000000..f3d9b26cf1e7 --- /dev/null +++ b/WordPress/Jetpack/AppImages.xcassets/Prologue/circle-particle.imageset/Contents.json @@ -0,0 +1,12 @@ +{ + "images" : [ + { + "filename" : "circle-particle.pdf", + "idiom" : "universal" + } + ], + "info" : { + "author" : "xcode", + "version" : 1 + } +} diff --git a/WordPress/Jetpack/AppImages.xcassets/Prologue/circle-particle.imageset/circle-particle.pdf b/WordPress/Jetpack/AppImages.xcassets/Prologue/circle-particle.imageset/circle-particle.pdf new file mode 100644 index 0000000000000000000000000000000000000000..aa0a9cc3e5ce55d564de40a5b0a71db517373993 GIT binary patch literal 3826 zcmai%c{r49`^PO)7(!)LwBqGUDRH7kE z_SYm^5)wnQMILMNn`!wyJ4Gn}Uo|#?Q2-1evbPUwp9-*zv1DKPXFm4+FQd#UWV{v8 z2e4-))i(qj0jM6?lT5KXhs6^Cwv&2PIH2+~!EZTKf6MXHY_;!E&{M2}pgL^By;*Jp zP<^5w2~V^{>;CUPWL@_^Z8abk#h|OuU+t0xWS1lZ`GD8zMxr2#XyXubuE=nRpZ+#O zk)853gwroL(NWTP0}=i!VYq(2MPc)%ItzUR<`B(;Z@yUR%W&pqGiGF9@@fBo>wHju z6^HrPFi^dZEoTTS$5v!+y3S$O?)JtNu06t>g0`G5MqOM$=v95Lp09L`jEs9mP36mT ziXnvRL4{g#2(@o3I8jPSZa0_(>LL^Ry#1V|FYGl zMoZv^^#WvuaZ87G3p3(5^8iX0<5-rlyRomlCe@mw!fU%WbM%4PJixKIjiX}t=9m4E zo=!=P9|Yw1V`pYOshrs!ibp=GY-ER#+iD}#Rx;Y>Hf+@M#kE5JFcw7;4Vd`_`6l`u z9Rh-B48rD$@YdK1HPXLY8x(G4zYt%D_-JkMF@-NY+O0a`c&KfHA^{v8+&db)M_GCd8IK=3t59h?+>PCplN$yIJl+exm$5!DK#Du_-%6i0KY?w z_o%6kwAIA2KsN5RdZeTIh6Ahvf5Yi_#r+&dPiWvP(5W!xbK4z2XI|_$$1f0q)&@t`nZP)QLrJ`0 zpM^#5=-f{b%M;4b?GxT>$9q9f$6Qr}`=wrVf^d@d+AGMtJ%_K{&(Sm2So*_9vWnO7 z%KB}dR{(1JCTCFi&UCJB?2b1aPeKOD)TMaQ_3iKV14M7~h`$&dJy9v9DfqNre01+; z4uuHk`ea`17GCZyLtEax3;MbVwlbVM4|*g@=W!JpWF`pa?R^$!lz4uedwWz4Hhqs+ zlf+mQhBk_`!S>-!z==bC1Ux@HEHWP^R7d@cyL7My z94r;Qe|PApB=~}Oz7ZsK*m$%w6G-aB=2VU&U%zZ=shzZ=}6%VjSe{Zhu7Zd zJU5ntoJtlkj+7C%l#$P<2t94=F6{`>fY1*nw;m&)DSI&5PG%)C*?_aGP?DB;${~n| z*$F8F-GNhTC!T3v(7vE|*K)@_?;hLx=~Y>FW_10a6G2dPGBWK;+E{CGa#5m3>U7#g zS+kV>H2*Yb#cVm}gTW`h<$tZ@vZ&LpvkJ{Ev&k_Wt*F zX(9VODKzQnF0(@Isj}CycMnSHcHh15y0YSA#j&@%LhJ%pKy6bsuow=v6F=V-zs_Z!xl*QCs6*qdt{YMF&={yZ_nn zN#j$pWTs?|q=clkWE!eTNg~rbvo({MIf-hnaI@oo46dFQ-`Nk{<>x+P+O>Tsl|MbrbTvfc3v&I z);_rH#Vg?L*;t($b@y^&a%!=+u(_l7Kkg?Mbsf&N%T;eu#XmV8v!FR<4=IbzGEOp% zYdvZ8rf2x{*(yc_L%?Ig4T36Cs&2kh_6~!2VAywCt>JjfrQ8cQ){gLN#M;JYi4BQ4 zE6gfb9i3J+v-PU@RJPvmwlUMg5g*hX={|-p@5~>XcwAg~bi}WAHb_0wv1~}J z`cySzS#Vi;1F`|<(TEC&q6@CP@$oxU9Uj!XbNb_GW#- zG7(Bd$2O-FBu`2*_?@n%m7YmFQ~ES%1vl?LU!ZwRGg>oFb9aqjO;HeZ6}!o`>9;=g zrT_EfdjEzQNEP&e?;|)5WC*h1(d0+)?b_xGYN+F^s}4H=eeEpc&?CmB`&G{`;y9m@ zfTQR-b&sL~>H%ctLZx-UGW&5j1-Ylt1#D|%7Jk5ahuddMVdY~}-aY)%pBaJ_uyE#)z@u$@to;9Q3} ze|Z1i1N%mVx1x8~7cxytmYkpYGeP~y)lnNslTAk^;}#rOiC+^zY2lB;yY$l<9i#Ea zCB~x0V_arBkKg+~a$XD_FHA{D$(2VIb`}1M6kf4f(XA_sjVU|gh}4jyLmN=JFukfa zQtzDg?mOCDiKd6B7?V!ESu-8)1$Y?^d~P>vk0b6K@s1hp zvAAtfR&&;^e14)y_nEH6DE(-sy`bkyPf^d=A(!%E_rWx2r>;M7?H^)3n906NnjXOf zomm^|SPq}1-(9}D;s4%`*Z?O3;8n?c$6{v3;+@5()n{gEY_Rs{&kB*^ z3Go$(dynWRO5M@D1)uUhg-XU}PS8JHd^(%;wt29>cEl^Vn=_94C6DHQ5vk|FEi2|8 z#X4RuvF}D7G%%*`e5$H-4R#LJpEX)YWS}F^cbn_ueS6h=`c>|!q$tGnnUw!Mk^UP(^)Z=+C`qa7d z&Ff>u*J`!}O|Cm`K!=yBf|%E~vi5SvZeO2Mthu=5^iE?cXn3=Wr%=dAt0Pc#(`^$! zGj>M~Y zN%Q#yF~dbQTFarEIUD$;=ESKPvsJUy>^Lp|OMG7!10Y^56C*3(UpD@opV<`p9h#Nl zh+n|V=2y1Hf?Q)gJzXr7NC4OXYY9013SmR^FDCwrv8e#`B#}VE>XHKhdl)MOuEcu3 zL$WW6yx{=UghZgS;F*o+tZcslGMpX$_l$a2AFLxsdH?sn4h!iS`>(r9{}=*>fWuG-6*vlkKq2g4Fge!CiaSXrutR|V9`aX-0TiMOnB@W- z4Ez5FP*zexDgiFQPYsDsWephY2k`!-!4ODRU;eHk;YzGo=kFQ}hG04Q4-J7}S@{nQ z3I7lI{!^SPtM`9Di-fZ(`=^FL{#LUO1xxZIQoaw8R-`~8>%IWgl1yeboZVE`Kxypl zLS}XU$6BA&|KrL8EP+TsVG(#2yedMCh$G;zE(D^gvZ@js26sVdg8z5OkN*$Vht, with event: UIEvent?) { + if interactiveEmitterLayer == nil { + interactiveEmitterLayer = { + let particles = config.starColors.map { Particle(image: config.particleImage!, tintColor: $0) } + let layer = InteractiveStarFieldEmitterLayer(with: particles) + self.layer.addSublayer(layer) + + return layer + }() + } + + touchesMoved(touches, with: event) + } + + override func touchesMoved(_ touches: Set, with event: UIEvent?) { + guard let firstTouch = touches.first else { + return + } + + let location = firstTouch.location(in: self) + let radius = firstTouch.majorRadius + + interactiveEmitterLayer?.touchesMoved(to: location, with: radius) + } + + override func touchesEnded(_ touches: Set, with event: UIEvent?) { + interactiveEmitterLayer?.touchesEnded() + + } + + override func touchesCancelled(_ touches: Set, with event: UIEvent?) { + touchesEnded(touches, with: event) + } +} + +class StarFieldEmitterLayer: CAEmitterLayer { + init(with particles: [StarFieldView.Particle]) { + super.init() + + needsDisplayOnBoundsChange = true + emitterCells = particles.map { ParticleCell(with: $0) } + } + + override func layoutSublayers() { + super.layoutSublayers() + + emitterMode = .outline + emitterShape = .sphere + emitterSize = bounds.insetBy(dx: -50, dy: -50).size + emitterPosition = CGPoint(x: bounds.midX, y: bounds.maxY) + speed = 0.5 + } + + override init(layer: Any) { + super.init(layer: layer) + } + + private class ParticleCell: CAEmitterCell { + init(with particle: StarFieldView.Particle) { + super.init() + + let randomAlpha = CGFloat.random(in: 0.3...0.5) + color = particle.tintColor.withAlphaComponent(randomAlpha).cgColor + contents = particle.image.cgImage + + birthRate = 5 + lifetime = Float.infinity + lifetimeRange = 0 + velocity = 5 + velocityRange = velocity * 0.5 + yAcceleration = -0.01 + + scale = WPDeviceIdentification.isiPad() ? 0.07 : 0.04 + scaleRange = 0.05 + } + + required init?(coder: NSCoder) { + fatalError("init(coder:) has not been implemented") + } + } + + required init?(coder: NSCoder) { + fatalError("init(coder:) has not been implemented") + } +} + +class InteractiveStarFieldEmitterLayer: StarFieldEmitterLayer { + override init(with particles: [StarFieldView.Particle]) { + super.init(with: particles) + } + + required init?(coder: NSCoder) { + fatalError("init(coder:) has not been implemented") + } + + override init(layer: Any) { + super.init(layer: layer) + } + + override func layoutSublayers() { + super.layoutSublayers() + + emitterShape = .circle + emitterSize = .zero + beginTime = CACurrentMediaTime() + } + + /// Moves the emitter point to the touch location + /// - Parameters: + /// - location: The location to move the emitter point to + /// - radius: The size of the emitter + public func touchesMoved(to location: CGPoint, with radius: CGFloat = 10) { + lifetime = 1 + birthRate = 1 + speed = 10 + + emitterPosition = location + emitterSize = CGSize(width: radius, height: radius) + } + + public func touchesBegan() { + beginTime = CACurrentMediaTime() + } + + public func touchesEnded() { + lifetime = 0 + emitterSize = .zero + } +} diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index f44355e1552e..262fac741e22 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -1858,6 +1858,7 @@ C700F9EE257FD64E0090938E /* JetpackScanViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = C700F9ED257FD64E0090938E /* JetpackScanViewController.swift */; }; C700FAB2258020DB0090938E /* JetpackScanThreatCell.swift in Sources */ = {isa = PBXBuildFile; fileRef = C700FAB0258020DB0090938E /* JetpackScanThreatCell.swift */; }; C700FAB3258020DB0090938E /* JetpackScanThreatCell.xib in Resources */ = {isa = PBXBuildFile; fileRef = C700FAB1258020DB0090938E /* JetpackScanThreatCell.xib */; }; + C7124E922638905B00929318 /* StarFieldView.swift in Sources */ = {isa = PBXBuildFile; fileRef = C7124E912638905B00929318 /* StarFieldView.swift */; }; C7192ECF25E8432D00C3020D /* ReaderTopicsCardCell.xib in Resources */ = {isa = PBXBuildFile; fileRef = C7192ECE25E8432D00C3020D /* ReaderTopicsCardCell.xib */; }; C71BC73F25A652410023D789 /* JetpackScanStatusViewModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = C71BC73E25A652410023D789 /* JetpackScanStatusViewModel.swift */; }; C73868C525C9F9820072532C /* JetpackScanThreatSectionGrouping.swift in Sources */ = {isa = PBXBuildFile; fileRef = C73868C425C9F9820072532C /* JetpackScanThreatSectionGrouping.swift */; }; @@ -6374,6 +6375,7 @@ C700F9ED257FD64E0090938E /* JetpackScanViewController.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanViewController.swift; sourceTree = ""; }; C700FAB0258020DB0090938E /* JetpackScanThreatCell.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanThreatCell.swift; sourceTree = ""; }; C700FAB1258020DB0090938E /* JetpackScanThreatCell.xib */ = {isa = PBXFileReference; lastKnownFileType = file.xib; path = JetpackScanThreatCell.xib; sourceTree = ""; }; + C7124E912638905B00929318 /* StarFieldView.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = StarFieldView.swift; sourceTree = ""; }; C7192ECE25E8432D00C3020D /* ReaderTopicsCardCell.xib */ = {isa = PBXFileReference; lastKnownFileType = file.xib; path = ReaderTopicsCardCell.xib; sourceTree = ""; }; C71BC73E25A652410023D789 /* JetpackScanStatusViewModel.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanStatusViewModel.swift; sourceTree = ""; }; C73868C425C9F9820072532C /* JetpackScanThreatSectionGrouping.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = JetpackScanThreatSectionGrouping.swift; sourceTree = ""; }; @@ -12574,6 +12576,14 @@ path = "Jetpack Scan"; sourceTree = ""; }; + C7124E4B2638527D00929318 /* NUX */ = { + isa = PBXGroup; + children = ( + C7124E912638905B00929318 /* StarFieldView.swift */, + ); + path = NUX; + sourceTree = ""; + }; C71BC73D25A6522D0023D789 /* View Models */ = { isa = PBXGroup; children = ( @@ -12586,6 +12596,7 @@ C7F7AC71261CF1BD00CE547F /* Classes */ = { isa = PBXGroup; children = ( + C7124E4B2638527D00929318 /* NUX */, C7F7ABD5261CED7A00CE547F /* JetpackAuthenticationManager.swift */, C7F7AC72261CF1C900CE547F /* ViewRelated */, ); @@ -18442,6 +18453,7 @@ FABB21D72602FC2C00C8785C /* Routes+Stats.swift in Sources */, FABB21D82602FC2C00C8785C /* MeViewController+UIViewControllerRestoration.swift in Sources */, FABB21D92602FC2C00C8785C /* SearchIdentifierGenerator.swift in Sources */, + C7124E922638905B00929318 /* StarFieldView.swift in Sources */, FABB21DA2602FC2C00C8785C /* StatsTwoColumnRow.swift in Sources */, FABB21DB2602FC2C00C8785C /* AlertInternalView.swift in Sources */, 982DDF91263238A6002B3904 /* LikeUser+CoreDataClass.swift in Sources */, From d82977d73383d5bf0c9c2cdbb3f3d52bce255b25 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:52:35 -0400 Subject: [PATCH 133/190] Point WPAuthenticator to branch --- Podfile | 4 ++-- Podfile.lock | 15 ++++++++++----- 2 files changed, 12 insertions(+), 7 deletions(-) diff --git a/Podfile b/Podfile index aceef57b7bb3..acc5534d146e 100644 --- a/Podfile +++ b/Podfile @@ -208,9 +208,9 @@ abstract_target 'Apps' do pod 'Gridicons', '~> 1.1.0' - pod 'WordPressAuthenticator', '~> 1.37.0-beta.1' + # pod 'WordPressAuthenticator', '~> 1.37.0-beta.3' # While in PR - # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => '' + pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => 'task/nuxbutton-styles' # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => '' # pod 'WordPressAuthenticator', :path => '../WordPressAuthenticator-iOS' diff --git a/Podfile.lock b/Podfile.lock index e8877ca8a8a9..6f056c46c19e 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -389,7 +389,7 @@ PODS: - WordPress-Aztec-iOS (1.19.4) - WordPress-Editor-iOS (1.19.4): - WordPress-Aztec-iOS (= 1.19.4) - - WordPressAuthenticator (1.37.0-beta.1): + - WordPressAuthenticator (1.37.0-beta.2): - 1PasswordExtension (~> 1.8.6) - Alamofire (~> 4.8) - CocoaLumberjack (~> 3.5) @@ -498,7 +498,7 @@ DEPENDENCIES: - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - - WordPressAuthenticator (~> 1.37.0-beta.1) + - WordPressAuthenticator (from `https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git`, branch `task/nuxbutton-styles`) - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) @@ -510,7 +510,6 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - - WordPressAuthenticator - WordPressKit trunk: - 1PasswordExtension @@ -651,6 +650,9 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressAuthenticator: + :branch: task/nuxbutton-styles + :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -666,6 +668,9 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 + WordPressAuthenticator: + :commit: 7124a51c304dfa7580ad4b1aaeeb8016c4c02996 + :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -746,7 +751,7 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e + WordPressAuthenticator: f6a704bccf789825be61fefff54ca8e3128a3b87 WordPressKit: f941a43d9a181897f5b54bb256ef01ecbdca120d WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 @@ -763,6 +768,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 2d5cb8b46a7d06c27483a62bab0c650a86cf1449 +PODFILE CHECKSUM: 8314ee3965f506de80b0ed42db043f7b02b650d5 COCOAPODS: 1.10.0 From a37565576e4d46da8078bf4192e7e0a471d5a92d Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:52:49 -0400 Subject: [PATCH 134/190] Add prologue logo image --- .../prologue-logo.imageset/Contents.json | 12 ++++++++++++ .../prologue-logo.imageset/prologue-logo.pdf | Bin 0 -> 5092 bytes 2 files changed, 12 insertions(+) create mode 100644 WordPress/Jetpack/AppImages.xcassets/Prologue/prologue-logo.imageset/Contents.json create mode 100644 WordPress/Jetpack/AppImages.xcassets/Prologue/prologue-logo.imageset/prologue-logo.pdf diff --git a/WordPress/Jetpack/AppImages.xcassets/Prologue/prologue-logo.imageset/Contents.json b/WordPress/Jetpack/AppImages.xcassets/Prologue/prologue-logo.imageset/Contents.json new file mode 100644 index 000000000000..026fb08293e1 --- /dev/null +++ b/WordPress/Jetpack/AppImages.xcassets/Prologue/prologue-logo.imageset/Contents.json @@ -0,0 +1,12 @@ +{ + "images" : [ + { + "filename" : "prologue-logo.pdf", + "idiom" : "universal" + } + ], + "info" : { + "author" : "xcode", + "version" : 1 + } +} diff --git a/WordPress/Jetpack/AppImages.xcassets/Prologue/prologue-logo.imageset/prologue-logo.pdf b/WordPress/Jetpack/AppImages.xcassets/Prologue/prologue-logo.imageset/prologue-logo.pdf new file mode 100644 index 0000000000000000000000000000000000000000..a62aa1e9e9c6dc1373059a35d8c5ae34edffaa0f GIT binary patch literal 5092 zcmai&2T)Vn*2e)OB}kJhq8yOWq$DJvD7{BOI?^E_p+l5jL^@oWNEZ~4B1lI-L69aL z)QB`u0qMOXRpbS)_j~uwop0WmOwOMFUTdA5z0R!l%ZBJEs|v$J;9yAm?AGjZ;r5dc z?VVr*00r_Q1Ij@6KosoHEV^kHrD9vS4=)Hyqjp z>_Zx!X5q>saV~7a6KrA4SC(y5o3#h>?Ik6r9I^-tS5BfUisst9QdJ<;360auG z@VtI1cPqN~{a)s!7rt#-wRc(C+w5RN?)2u)rvbY zN90`&5bd2Ub*X?;D}7CSM|o2(@rODt>4%CG+0;E0UP?#E<(6xq*9%@id{Il@Fxc3% z$FO0&s7Aj;pFH3SzH|-(jy=-5-(#{xN-fv!uERd;{Vdfob!w^SJvp3yz);mXb$lpM}wET8nWUfuV z{bfn}bm7^kdwE9--}7lB1QnA4NbcS<>THc}@`%1;uQw>t9LZ*c9OofnlNr)0t+Jbg zF@MCkw`Tr?H>t@c_q#z6$aC}Do##cRbXAHgs@FdHFsN)xkTHfv z#Ex&y_~i4`I9`}{tfG(Pz0o0H-k|frTPeqJJ$k)+yhBTXs{d>nuIuoiB$K z&gwPLaJ*BqK9NXqlG(cREgDR^d@lTkaerLywE;&aU4br52hG96;9~m;1Gq`6c=ETf z@n9q0Lx}6 z_T}d4NNAwmM2B`iY~@Q>XdlpFaTX2AFg6!~uh+}9>XxEBl!!sSQOOwnqDG{zfsY-LgW zB_h&68&$)G=Zm}R3Lp-l@_bB7FQ-4 z5!X1$7;|CGc7VQ%=mdp^I>MrEC#eTB+;`fc2h7cSuOQjO%N+G{Wn`RHLRF9S%wl{v zF?G5xiE9g|+w@cA&&Y}C60xaPY!m2>-X6hfy|eLZ1U?(E8*QM&C0KIfge;YXjThI* zNi8og@w^ksvZ~1dtFoOnW_5Z6dzCCbU~KoZ#k5gSF|63}rw%!x^f`qV^|Yr{i{BxPrb%h9n6jAo&7-S?m|F3iS(=*HC$7IN z45`%G4UcMb=5oq{)T_U1rDvtEf-)?H!`>r|V!+%2^+gOrw4pa35Or=r_Ess0t7ohB z$)~y0lkI#M$hFf>%AEX;3AsUMw1hG4`-A$J=hDe4D^P#jfgC+!_E|8_75lsD5=W=S z`m{oy-eGV_iPPEBvDn`VxqFAFSrxDVM3wN)csKpqXd4`G+BuZmVSvQ% z0Dp@i`L`Iqn~T&hE76<81&J!0HW*i8cL79|ab6BKI6XDR|J`>oQ@suJM_D2XjS`I? z&T|8h9dOxiMOYYS4_S0)?$(I}Ii{!G2IdUs7E2;1;Qs9A^CefT6Wfm=d}hnxhgG9)g2 zkC%0pELp$0chV@(n$Q@YjLdEOl7C@~eL3u{qZWF(Zy z?NYDZXk!kf?6XLG3hZX0K~X470mH~chuMX0+r!Oj{R0f_YI2*_7HBBHeS3~JjetGgqd%E$k#cy~( ztDGNMz_J-V4BXxH+P*BI!aZKh@8|p>C$)LB>!hXvxBlGjxp=G_BvnQ?$5EJ&UHOzIgCbutHeP?du0Clas%>=UV1sN-#t!C=1+ zpqnA$x5>>xw_0d!Q=bb`lLtq%YCuWHgB>VCHt3mi6^b9Qr@ohu&f^^_K&hfgRz00{D9(tt3Ahhzh2nolGzgGMW_ zb5N?i>HDVa!~B?nwdKp?jXD-t+S)g)lNUEggu<=fBvHzDQ=aKpHKx3{sjT?Gn1_^s z%PE07pR7nF;{k2{#aD6a33q1BkVodAAF{D@UYL$FiJin4p@%UyphFLB9vW$~&WYR7 z!-Ee(o??cc7Z~%E%6UGOxdw%8e$T1T#@CV zTDpGtUa$?B)?es5%QFaU2)*4@5j0t zt(t3}ai5`=)Fkqc29g##b~qOrcc^d>oY^e@EXOSSY;~_5`5UP9K3wm@)7YfghS>OR z#M~>wG~tVQg@fhEYk`ylL07@MDcmWxDWoa!#hQlrA*P|sVwYm=L8v3IBieD)@n}e- zB#ux>@XjJ+S|Ltmenc)+)<^l(9Xft*TasByV$Wc2V!yy{$exDiL|({n&FIOP&6r1Y z)!3U-zW|xen$Ewlgr=mgy*03fRL4l=l$Ea*3ir$AkCn)j**vQ@w#&O&{hrYxQN&C_ zq1L=s-&;{zL)2K*szP@?M^-nxEIYqht=TNFx8(!y**ZqyQR}mu=$vMB7CLXz=1Orw zNxxv8Y2NitNt>5GI)Qt&zBSuXdOAu}?Ci$8|?n=``pP)MC1l3zO#A3DlNWwjMNQ7$;-v6ojT|JiP5hT=v zy4ta7+)fRb-K+bSVQyz8W5%`bQqOkJ(LJOs(%aLn$?Iptk5=TG6Kz@eaJl)HS2w*a zTI(mjH!a7z050mI8-1#Makz^UuF>Ozx=(Z~o2>1t*XKGFUn%NNHVVHtqjm0ZW_Dg3 zv#l<3{F26P+5a8WHx)gl4f&e5JYf=W>tO8dZrEz$)7_^>-ru|^y}ynv)^8i9V@xbZ zKa_v7D4Tt|mAh5jaBHQ>2yJ%9n$95}8($;#tg7)wg`?U~;ZpumFnfH)T;q~|?P})d zt}i3a6E1-Rq;Y3DC}b})al8)f-qUd^Q*h}(f1NCCBP{1G)i>J(S_LYvs&6I`)WX%C zcD;%B9J)R@BJoTjS^Q00V(0VeJ6-tWZ{L;t8A}#*;CZk1L6Tfjn^Rr;oa0CarwqRDVT-ou^{)lZ+*fGE7I~^N+v1tR-;mra+U+$&!mt^1bK5DeX z^t5j{^)IK(-57t?By~8v>oSjBm>KYPST87y9xrK<+YLU>IkMU5N?2Uc-q%jaj+67g zOZ8*Rhu6h+ZelNN`{>^QeM+IfpjjLy_80J;^6RNagj|%8k|Nq2hXqanRu8cF%j6WI z|6=0*GPXM)s)fTkpcU~xfEko%0+$pAU{K^QO!g$QHw+NfaKO3~@%a?eiSho1$gop~ zf5ucod!U{1c7FoA`)_jpFPOvr=0F5@#5J)6(H%>3W z^)C&Egc7&-pBe%IBWCNL8Wbw_Z(oGuzkFfHe`^T1B=N7#KjXo~k;Gm7r-p!w|H}@6 zg#PWh9&Ts{XPn!wqceR6KOFJ*0-}0&JTc*?NhKbkp Date: Thu, 29 Apr 2021 12:53:43 -0400 Subject: [PATCH 135/190] Add JetpackPrologueViewController with style guide --- .../NUX/JetpackPrologueStyleGuide.swift | 5 ++ .../NUX/JetpackPrologueViewController.swift | 4 ++ .../NUX/JetpackPrologueViewController.xib | 59 +++++++++++++++++++ WordPress/WordPress.xcodeproj/project.pbxproj | 12 ++++ 4 files changed, 80 insertions(+) create mode 100644 WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift create mode 100644 WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift create mode 100644 WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift new file mode 100644 index 000000000000..7f84d9a82864 --- /dev/null +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift @@ -0,0 +1,5 @@ +import UIKit +import WordPressAuthenticator + +struct JetpackPrologueStyleGuide { +} diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift new file mode 100644 index 000000000000..78ff3d44dca9 --- /dev/null +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift @@ -0,0 +1,4 @@ +import UIKit + +class JetpackPrologueViewController: UIViewController { +} diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib new file mode 100644 index 000000000000..32b4ef721cf8 --- /dev/null +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib @@ -0,0 +1,59 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index 262fac741e22..061a004346c6 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -1858,6 +1858,8 @@ C700F9EE257FD64E0090938E /* JetpackScanViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = C700F9ED257FD64E0090938E /* JetpackScanViewController.swift */; }; C700FAB2258020DB0090938E /* JetpackScanThreatCell.swift in Sources */ = {isa = PBXBuildFile; fileRef = C700FAB0258020DB0090938E /* JetpackScanThreatCell.swift */; }; C700FAB3258020DB0090938E /* JetpackScanThreatCell.xib in Resources */ = {isa = PBXBuildFile; fileRef = C700FAB1258020DB0090938E /* JetpackScanThreatCell.xib */; }; + C7124E4E2638528F00929318 /* JetpackPrologueViewController.xib in Resources */ = {isa = PBXBuildFile; fileRef = C7124E4C2638528F00929318 /* JetpackPrologueViewController.xib */; }; + C7124E4F2638528F00929318 /* JetpackPrologueViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = C7124E4D2638528F00929318 /* JetpackPrologueViewController.swift */; }; C7124E922638905B00929318 /* StarFieldView.swift in Sources */ = {isa = PBXBuildFile; fileRef = C7124E912638905B00929318 /* StarFieldView.swift */; }; C7192ECF25E8432D00C3020D /* ReaderTopicsCardCell.xib in Resources */ = {isa = PBXBuildFile; fileRef = C7192ECE25E8432D00C3020D /* ReaderTopicsCardCell.xib */; }; C71BC73F25A652410023D789 /* JetpackScanStatusViewModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = C71BC73E25A652410023D789 /* JetpackScanStatusViewModel.swift */; }; @@ -1869,6 +1871,7 @@ C76F490025BA23B000BFEC87 /* JetpackScanHistoryViewController.xib in Resources */ = {isa = PBXBuildFile; fileRef = C76F48FF25BA23B000BFEC87 /* JetpackScanHistoryViewController.xib */; }; C78543D225B889CC006CEAFB /* JetpackScanThreatViewModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = C78543D125B889CC006CEAFB /* JetpackScanThreatViewModel.swift */; }; C789952525816F96001B7B43 /* JetpackScanCoordinator.swift in Sources */ = {isa = PBXBuildFile; fileRef = C789952425816F96001B7B43 /* JetpackScanCoordinator.swift */; }; + C7D30C652638B07A00A1695B /* JetpackPrologueStyleGuide.swift in Sources */ = {isa = PBXBuildFile; fileRef = C7D30C642638B07A00A1695B /* JetpackPrologueStyleGuide.swift */; }; C7F79369260D14C100CE547F /* AppConfiguration.swift in Sources */ = {isa = PBXBuildFile; fileRef = FA25F9FD2609AA830005E08F /* AppConfiguration.swift */; }; C7F7936A260D14C200CE547F /* AppConfiguration.swift in Sources */ = {isa = PBXBuildFile; fileRef = FA25F9FD2609AA830005E08F /* AppConfiguration.swift */; }; C7F7ABD6261CED7A00CE547F /* JetpackAuthenticationManager.swift in Sources */ = {isa = PBXBuildFile; fileRef = C7F7ABD5261CED7A00CE547F /* JetpackAuthenticationManager.swift */; }; @@ -6375,6 +6378,8 @@ C700F9ED257FD64E0090938E /* JetpackScanViewController.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanViewController.swift; sourceTree = ""; }; C700FAB0258020DB0090938E /* JetpackScanThreatCell.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanThreatCell.swift; sourceTree = ""; }; C700FAB1258020DB0090938E /* JetpackScanThreatCell.xib */ = {isa = PBXFileReference; lastKnownFileType = file.xib; path = JetpackScanThreatCell.xib; sourceTree = ""; }; + C7124E4C2638528F00929318 /* JetpackPrologueViewController.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = JetpackPrologueViewController.xib; sourceTree = ""; }; + C7124E4D2638528F00929318 /* JetpackPrologueViewController.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = JetpackPrologueViewController.swift; sourceTree = ""; }; C7124E912638905B00929318 /* StarFieldView.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = StarFieldView.swift; sourceTree = ""; }; C7192ECE25E8432D00C3020D /* ReaderTopicsCardCell.xib */ = {isa = PBXFileReference; lastKnownFileType = file.xib; path = ReaderTopicsCardCell.xib; sourceTree = ""; }; C71BC73E25A652410023D789 /* JetpackScanStatusViewModel.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanStatusViewModel.swift; sourceTree = ""; }; @@ -6386,6 +6391,7 @@ C76F48FF25BA23B000BFEC87 /* JetpackScanHistoryViewController.xib */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = file.xib; path = JetpackScanHistoryViewController.xib; sourceTree = ""; }; C78543D125B889CC006CEAFB /* JetpackScanThreatViewModel.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanThreatViewModel.swift; sourceTree = ""; }; C789952425816F96001B7B43 /* JetpackScanCoordinator.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackScanCoordinator.swift; sourceTree = ""; }; + C7D30C642638B07A00A1695B /* JetpackPrologueStyleGuide.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackPrologueStyleGuide.swift; sourceTree = ""; }; C7F1EB4425A4B845009D1AA2 /* WordPress 110.xcdatamodel */ = {isa = PBXFileReference; lastKnownFileType = wrapper.xcdatamodel; path = "WordPress 110.xcdatamodel"; sourceTree = ""; }; C7F7ABD5261CED7A00CE547F /* JetpackAuthenticationManager.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = JetpackAuthenticationManager.swift; sourceTree = ""; }; C7F7AC73261CF1F300CE547F /* JetpackLoginErrorViewController.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = JetpackLoginErrorViewController.swift; sourceTree = ""; }; @@ -12580,6 +12586,9 @@ isa = PBXGroup; children = ( C7124E912638905B00929318 /* StarFieldView.swift */, + C7124E4D2638528F00929318 /* JetpackPrologueViewController.swift */, + C7124E4C2638528F00929318 /* JetpackPrologueViewController.xib */, + C7D30C642638B07A00A1695B /* JetpackPrologueStyleGuide.swift */, ); path = NUX; sourceTree = ""; @@ -14983,6 +14992,7 @@ FABB1FD32602FC2C00C8785C /* PluginDetailViewHeaderCell.xib in Resources */, FABB1FD42602FC2C00C8785C /* Flags.xcassets in Resources */, FABB1FD52602FC2C00C8785C /* StatsGhostTopCell.xib in Resources */, + C7124E4E2638528F00929318 /* JetpackPrologueViewController.xib in Resources */, FABB1FD62602FC2C00C8785C /* CustomizeInsightsCell.xib in Resources */, FABB1FD72602FC2C00C8785C /* WidgetTwoColumnCell.xib in Resources */, FABB1FD92602FC2C00C8785C /* oswald_upper.ttf in Resources */, @@ -18473,6 +18483,7 @@ FABB21E82602FC2C00C8785C /* FormattableContentRange.swift in Sources */, FABB21E92602FC2C00C8785C /* MenuItemSourceHeaderView.m in Sources */, FABB21EA2602FC2C00C8785C /* RestoreWarningView.swift in Sources */, + C7D30C652638B07A00A1695B /* JetpackPrologueStyleGuide.swift in Sources */, FABB21EB2602FC2C00C8785C /* GutenbergWebNavigationViewController.swift in Sources */, FABB21ED2602FC2C00C8785C /* WPTabBarController+ReaderTabNavigation.swift in Sources */, FABB21EE2602FC2C00C8785C /* WPStyleGuide+Blog.swift in Sources */, @@ -19546,6 +19557,7 @@ FABB25FF2602FC2C00C8785C /* RegisterDomainDetailsViewModel+RowDefinitions.swift in Sources */, FABB26002602FC2C00C8785C /* GravatarProfile.swift in Sources */, FABB26012602FC2C00C8785C /* ReaderShareAction.swift in Sources */, + C7124E4F2638528F00929318 /* JetpackPrologueViewController.swift in Sources */, FABB26022602FC2C00C8785C /* PostingActivityMonth.swift in Sources */, FABB26032602FC2C00C8785C /* StreakStatsRecordValue+CoreDataClass.swift in Sources */, FABB26042602FC2C00C8785C /* ReaderTabItem.swift in Sources */, From 71beef0e83f4cd3f7a95bc9f4d7069a70ee59c56 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:55:00 -0400 Subject: [PATCH 136/190] Update Jetpack prologue style guide --- .../NUX/JetpackPrologueStyleGuide.swift | 44 +++++++++++++++++++ 1 file changed, 44 insertions(+) diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift index 7f84d9a82864..fb76944847dd 100644 --- a/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift @@ -1,5 +1,49 @@ import UIKit import WordPressAuthenticator + +/// The colors in here intentionally do not support light or dark modes since they're the same on both. +/// struct JetpackPrologueStyleGuide { + static let backgroundColor = UIColor(red: 0.00, green: 0.11, blue: 0.18, alpha: 1.00) + + struct Title { + static let font: UIFont = WPStyleGuide.fontForTextStyle(.title3, fontWeight: .semibold) + static let textColor: UIColor = .white + } + + struct Stars { + static let particleImage = UIImage(named: "circle-particle") + + static let colors = [ + UIColor(red: 0.05, green: 0.27, blue: 0.44, alpha: 1.00), + UIColor(red: 0.64, green: 0.68, blue: 0.71, alpha: 1.00), + UIColor(red: 0.99, green: 0.99, blue: 0.99, alpha: 1.00) + ] + } + + static let continueButtonStyle = NUXButtonStyle(normal: .init(backgroundColor: .white, + borderColor: .white, + titleColor: Self.backgroundColor), + + highlighted: .init(backgroundColor: UIColor(red: 1.00, green: 1.00, blue: 1.00, alpha: 0.90), + borderColor: UIColor(red: 1.00, green: 1.00, blue: 1.00, alpha: 0.90), + titleColor: Self.backgroundColor), + + disabled: .init(backgroundColor: .white, + borderColor: .white, + titleColor: Self.backgroundColor)) + + static let siteAddressButtonStyle = NUXButtonStyle(normal: .init(backgroundColor: Self.backgroundColor, + borderColor: UIColor(red: 1.00, green: 1.00, blue: 1.00, alpha: 0.40), + titleColor: .white), + + highlighted: .init(backgroundColor: Self.backgroundColor, + borderColor: UIColor(red: 1.00, green: 1.00, blue: 1.00, alpha: 0.90), + titleColor: .white), + + disabled: .init(backgroundColor: .white, + borderColor: .white, + titleColor: Self.backgroundColor)) + } From a6845cd7c3541f7064122c7ac6e290db69bdbc0d Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:55:21 -0400 Subject: [PATCH 137/190] Add style override properties to AuthenticationHandler --- .../Utility/App Configuration/AuthenticationHandler.swift | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/WordPress/Classes/Utility/App Configuration/AuthenticationHandler.swift b/WordPress/Classes/Utility/App Configuration/AuthenticationHandler.swift index 1d56e2f3c3a3..c44883c5abe4 100644 --- a/WordPress/Classes/Utility/App Configuration/AuthenticationHandler.swift +++ b/WordPress/Classes/Utility/App Configuration/AuthenticationHandler.swift @@ -4,4 +4,12 @@ protocol AuthenticationHandler { func shouldPresentUsernamePasswordController(for siteInfo: WordPressComSiteInfo?, onCompletion: @escaping (WordPressAuthenticatorResult) -> Void) func presentLoginEpilogue(in navigationController: UINavigationController, for credentials: AuthenticatorCredentials, onDismiss: @escaping () -> Void) -> Bool + + // WPAuthenticator style overrides + var statusBarStyle: UIStatusBarStyle { get } + var prologueViewController: UIViewController? { get } + var buttonViewTopShadowImage: UIImage? { get } + var prologueButtonsBackgroundColor: UIColor? { get } + var prologuePrimaryButtonStyle: NUXButtonStyle? { get } + var prologueSecondaryButtonStyle: NUXButtonStyle? { get } } From 7271ea6a771b153b435ffdc95f69d9e3fd867fea Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:55:39 -0400 Subject: [PATCH 138/190] Add style overrides to JetpackAuthenticationManager --- .../Jetpack/Classes/JetpackAuthenticationManager.swift | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/WordPress/Jetpack/Classes/JetpackAuthenticationManager.swift b/WordPress/Jetpack/Classes/JetpackAuthenticationManager.swift index 092c41d2ae11..83018e914e70 100644 --- a/WordPress/Jetpack/Classes/JetpackAuthenticationManager.swift +++ b/WordPress/Jetpack/Classes/JetpackAuthenticationManager.swift @@ -1,6 +1,14 @@ import WordPressAuthenticator struct JetpackAuthenticationManager: AuthenticationHandler { + var statusBarStyle: UIStatusBarStyle = .lightContent + var prologueViewController: UIViewController? = JetpackPrologueViewController() + var buttonViewTopShadowImage: UIImage? = UIImage() + var prologueButtonsBackgroundColor: UIColor? = JetpackPrologueStyleGuide.backgroundColor + + var prologuePrimaryButtonStyle: NUXButtonStyle? = JetpackPrologueStyleGuide.continueButtonStyle + var prologueSecondaryButtonStyle: NUXButtonStyle? = JetpackPrologueStyleGuide.siteAddressButtonStyle + func shouldPresentUsernamePasswordController(for siteInfo: WordPressComSiteInfo?, onCompletion: @escaping (WordPressAuthenticatorResult) -> Void) { /// Jetpack is required. Present an error if we don't detect a valid installation. guard let site = siteInfo, isValidJetpack(for: site) else { From bf7c069dc3700e1736e7c436fdfdbe03d2e28d0e Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:56:51 -0400 Subject: [PATCH 139/190] Update the WPAuthenticator style config with the AuthHandler overrides --- .../NUX/WordPressAuthenticationManager.swift | 185 +++++++++++------- 1 file changed, 118 insertions(+), 67 deletions(-) diff --git a/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift b/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift index 3dd2c158a885..9f54d92445fd 100644 --- a/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift +++ b/WordPress/Classes/ViewRelated/NUX/WordPressAuthenticationManager.swift @@ -26,84 +26,135 @@ class WordPressAuthenticationManager: NSObject { NotificationCenter.default.addObserver(self, selector: #selector(supportPushNotificationReceived), name: .ZendeskPushNotificationReceivedNotification, object: nil) NotificationCenter.default.addObserver(self, selector: #selector(supportPushNotificationCleared), name: .ZendeskPushNotificationClearedNotification, object: nil) } +} +// MARK: - Initialization Methods +// +extension WordPressAuthenticationManager { /// Initializes WordPressAuthenticator with all of the parameters that will be needed during the login flow. /// func initializeWordPressAuthenticator() { + let displayStrings = WordPressAuthenticatorDisplayStrings( + continueWithWPButtonTitle: AppConstants.Login.continueButtonTitle + ) + WordPressAuthenticator.initialize(configuration: authenticatorConfiguation(), + style: authenticatorStyle(), + unifiedStyle: unifiedStyle(), + displayStrings: displayStrings) + } + + private func authenticatorConfiguation() -> WordPressAuthenticatorConfiguration { // SIWA can not be enabled for internal builds // Ref https://github.com/wordpress-mobile/WordPress-iOS/pull/12332#issuecomment-521994963 let enableSignInWithApple = AppConfiguration.allowSignUp && !(BuildConfiguration.current ~= [.a8cBranchTest, .a8cPrereleaseTesting]) - let configuration = WordPressAuthenticatorConfiguration(wpcomClientId: ApiCredentials.client(), - wpcomSecret: ApiCredentials.secret(), - wpcomScheme: WPComScheme, - wpcomTermsOfServiceURL: WPAutomatticTermsOfServiceURL, - wpcomBaseURL: WordPressComOAuthClient.WordPressComOAuthDefaultBaseUrl, - wpcomAPIBaseURL: Environment.current.wordPressComApiBase, - googleLoginClientId: ApiCredentials.googleLoginClientId(), - googleLoginServerClientId: ApiCredentials.googleLoginServerClientId(), - googleLoginScheme: ApiCredentials.googleLoginSchemeId(), - userAgent: WPUserAgent.wordPress(), - showLoginOptions: true, - enableSignUp: AppConfiguration.allowSignUp, - enableSignInWithApple: enableSignInWithApple, - enableSignupWithGoogle: AppConfiguration.allowSignUp, - enableUnifiedAuth: true, - enableUnifiedCarousel: FeatureFlag.unifiedPrologueCarousel.enabled) - - let prologueVC: UIViewController? = FeatureFlag.unifiedPrologueCarousel.enabled ? UnifiedPrologueViewController() : nil - let statusBarStyle: UIStatusBarStyle = FeatureFlag.unifiedPrologueCarousel.enabled ? .default : .lightContent - - let style = WordPressAuthenticatorStyle(primaryNormalBackgroundColor: .primaryButtonBackground, - primaryNormalBorderColor: nil, - primaryHighlightBackgroundColor: .primaryButtonDownBackground, - primaryHighlightBorderColor: nil, - secondaryNormalBackgroundColor: .authSecondaryButtonBackground, - secondaryNormalBorderColor: .secondaryButtonBorder, - secondaryHighlightBackgroundColor: .secondaryButtonDownBackground, - secondaryHighlightBorderColor: .secondaryButtonDownBorder, - disabledBackgroundColor: .textInverted, - disabledBorderColor: .neutral(.shade10), - primaryTitleColor: .white, - secondaryTitleColor: .text, - disabledTitleColor: .neutral(.shade20), - disabledButtonActivityIndicatorColor: .text, - textButtonColor: .primary, - textButtonHighlightColor: .primaryDark, - instructionColor: .text, - subheadlineColor: .textSubtle, - placeholderColor: .textPlaceholder, - viewControllerBackgroundColor: .listBackground, - textFieldBackgroundColor: .listForeground, - buttonViewBackgroundColor: .authButtonViewBackground, - navBarImage: .gridicon(.mySites), - navBarBadgeColor: .accent(.shade20), - navBarBackgroundColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarBackground : UIColor(light: .primary, dark: .gray(.shade100)), - prologueBackgroundColor: .primary, - prologueTitleColor: .textInverted, - prologueTopContainerChildViewController: prologueVC, - statusBarStyle: statusBarStyle) - - let unifiedStyle = WordPressAuthenticatorUnifiedStyle(borderColor: .divider, - errorColor: .error, - textColor: .text, - textSubtleColor: .textSubtle, - textButtonColor: .primary, - textButtonHighlightColor: .primaryDark, - viewControllerBackgroundColor: .basicBackground, - navBarBackgroundColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarBackground : .basicBackground, - navButtonTextColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarTint : .primary, - navTitleTextColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarText : .text) + return WordPressAuthenticatorConfiguration(wpcomClientId: ApiCredentials.client(), + wpcomSecret: ApiCredentials.secret(), + wpcomScheme: WPComScheme, + wpcomTermsOfServiceURL: WPAutomatticTermsOfServiceURL, + wpcomBaseURL: WordPressComOAuthClient.WordPressComOAuthDefaultBaseUrl, + wpcomAPIBaseURL: Environment.current.wordPressComApiBase, + googleLoginClientId: ApiCredentials.googleLoginClientId(), + googleLoginServerClientId: ApiCredentials.googleLoginServerClientId(), + googleLoginScheme: ApiCredentials.googleLoginSchemeId(), + userAgent: WPUserAgent.wordPress(), + showLoginOptions: true, + enableSignUp: AppConfiguration.allowSignUp, + enableSignInWithApple: enableSignInWithApple, + enableSignupWithGoogle: AppConfiguration.allowSignUp, + enableUnifiedAuth: true, + enableUnifiedCarousel: FeatureFlag.unifiedPrologueCarousel.enabled) + } + + private func authenticatorStyle() -> WordPressAuthenticatorStyle { + let prologueVC: UIViewController? = { + guard let viewController = authenticationHandler?.prologueViewController else { + return FeatureFlag.unifiedPrologueCarousel.enabled ? UnifiedPrologueViewController() : nil + } - let displayStrings = WordPressAuthenticatorDisplayStrings( - continueWithWPButtonTitle: AppConstants.Login.continueButtonTitle - ) + return viewController + }() + + let statusBarStyle: UIStatusBarStyle = { + guard let statusBarStyle = authenticationHandler?.statusBarStyle else { + return FeatureFlag.unifiedPrologueCarousel.enabled ? .default : .lightContent + } + + return statusBarStyle + }() + + let buttonViewTopShadowImage: UIImage? = { + guard let image = authenticationHandler?.buttonViewTopShadowImage else { + return UIImage(named: "darkgrey-shadow") + } + + return image + }() + + let prologuePrimaryButtonStyle = authenticationHandler?.prologuePrimaryButtonStyle + let prologueSecondaryButtonStyle = authenticationHandler?.prologueSecondaryButtonStyle + + return WordPressAuthenticatorStyle(primaryNormalBackgroundColor: .primaryButtonBackground, + primaryNormalBorderColor: nil, + primaryHighlightBackgroundColor: .primaryButtonDownBackground, + primaryHighlightBorderColor: nil, + secondaryNormalBackgroundColor: .authSecondaryButtonBackground, + secondaryNormalBorderColor: .secondaryButtonBorder, + secondaryHighlightBackgroundColor: .secondaryButtonDownBackground, + secondaryHighlightBorderColor: .secondaryButtonDownBorder, + disabledBackgroundColor: .textInverted, + disabledBorderColor: .neutral(.shade10), + primaryTitleColor: .white, + secondaryTitleColor: .text, + disabledTitleColor: .neutral(.shade20), + disabledButtonActivityIndicatorColor: .text, + textButtonColor: .primary, + textButtonHighlightColor: .primaryDark, + instructionColor: .text, + subheadlineColor: .textSubtle, + placeholderColor: .textPlaceholder, + viewControllerBackgroundColor: .listBackground, + textFieldBackgroundColor: .listForeground, + buttonViewBackgroundColor: .authButtonViewBackground, + buttonViewTopShadowImage: buttonViewTopShadowImage, + navBarImage: .gridicon(.mySites), + navBarBadgeColor: .accent(.shade20), + navBarBackgroundColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarBackground : UIColor(light: .primary, dark: .gray(.shade100)), + prologueBackgroundColor: .primary, + prologueTitleColor: .textInverted, + prologuePrimaryButtonStyle: prologuePrimaryButtonStyle, + prologueSecondaryButtonStyle: prologueSecondaryButtonStyle, + prologueTopContainerChildViewController: prologueVC, + statusBarStyle: statusBarStyle) + } + + private func unifiedStyle() -> WordPressAuthenticatorUnifiedStyle { + let prologueButtonsBackgroundColor: UIColor = { + guard let color = authenticationHandler?.prologueButtonsBackgroundColor else { + return .clear + } + + return color + }() + + + /// Uses the same prologueButtonsBackgroundColor but we need to be able to return nil + let prologueViewBackgroundColor: UIColor? = authenticationHandler?.prologueButtonsBackgroundColor + + return WordPressAuthenticatorUnifiedStyle(borderColor: .divider, + errorColor: .error, + textColor: .text, + textSubtleColor: .textSubtle, + textButtonColor: .primary, + textButtonHighlightColor: .primaryDark, + viewControllerBackgroundColor: .basicBackground, + prologueButtonsBackgroundColor: prologueButtonsBackgroundColor, + prologueViewBackgroundColor: prologueViewBackgroundColor, + navBarBackgroundColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarBackground : .basicBackground, + navButtonTextColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarTint : .primary, + navTitleTextColor: FeatureFlag.newNavBarAppearance.enabled ? .appBarText : .text) - WordPressAuthenticator.initialize(configuration: configuration, - style: style, - unifiedStyle: unifiedStyle, - displayStrings: displayStrings) } } From b82631ac94e7f400c13822b4e98cc3d58a57a5fd Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 12:57:15 -0400 Subject: [PATCH 140/190] Style the prologue view --- .../NUX/JetpackPrologueViewController.swift | 73 +++++++++++++++++++ 1 file changed, 73 insertions(+) diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift index 78ff3d44dca9..54a5d18dc377 100644 --- a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift @@ -1,4 +1,77 @@ import UIKit class JetpackPrologueViewController: UIViewController { + @IBOutlet weak var stackView: UIStackView! + @IBOutlet weak var titleLabel: UILabel! + + var starFieldView: StarFieldView = { + let config = StarFieldViewConfig(particleImage: JetpackPrologueStyleGuide.Stars.particleImage, + starColors: JetpackPrologueStyleGuide.Stars.colors) + let view = StarFieldView(with: config) + view.layer.masksToBounds = true + return view + }() + + var gradientLayer: CALayer = { + let gradientLayer = CAGradientLayer() + + // Start color is the background color with no alpha because if we use clear it will fade to black + // instead of just disappearin + let startColor = JetpackPrologueStyleGuide.backgroundColor.withAlphaComponent(0) + let endColor = JetpackPrologueStyleGuide.backgroundColor + + gradientLayer.colors = [startColor.cgColor, endColor.cgColor] + gradientLayer.locations = [0.0, 0.9] + + return gradientLayer + }() + + override func viewDidLoad() { + super.viewDidLoad() + + view.backgroundColor = JetpackPrologueStyleGuide.backgroundColor + view.addSubview(starFieldView) + view.layer.addSublayer(gradientLayer) + + titleLabel.text = NSLocalizedString("Site security and performance\nfrom your pocket", comment: "Prologue title label, the \n force splits it into 2 lines.") + titleLabel.font = JetpackPrologueStyleGuide.Title.font + titleLabel.textColor = JetpackPrologueStyleGuide.Title.textColor + + // Move the layers to appear below everything else + starFieldView.layer.zPosition = Constants.starLayerPosition + gradientLayer.zPosition = Constants.gradientLayerPosition + + addParallax() + } + + override func viewDidLayoutSubviews() { + super.viewDidLayoutSubviews() + + starFieldView.frame = view.bounds + gradientLayer.frame = view.bounds + } + + /// Slightly moves the logo / text when moving the device + private func addParallax() { + let amount = Constants.parallaxAmount + + let horizontal = UIInterpolatingMotionEffect(keyPath: "center.x", type: .tiltAlongHorizontalAxis) + horizontal.minimumRelativeValue = -amount + horizontal.maximumRelativeValue = amount + + let vertical = UIInterpolatingMotionEffect(keyPath: "center.y", type: .tiltAlongVerticalAxis) + vertical.minimumRelativeValue = -amount + vertical.maximumRelativeValue = amount + + let group = UIMotionEffectGroup() + group.motionEffects = [horizontal, vertical] + + stackView.addMotionEffect(group) + } + + private struct Constants { + static let parallaxAmount: CGFloat = 20 + static let starLayerPosition: CGFloat = -100 + static let gradientLayerPosition: CGFloat = -99 + } } From e091d565a92a1fa56f72b3dae444200ab0abd788 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 13:06:27 -0400 Subject: [PATCH 141/190] Update Podfile.lock --- Podfile.lock | 17 ++++++++--------- 1 file changed, 8 insertions(+), 9 deletions(-) diff --git a/Podfile.lock b/Podfile.lock index 9f056fb2d8ee..4081c0760708 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -107,7 +107,7 @@ PODS: - MRProgress/ProgressBaseClass (0.8.3) - MRProgress/Stopable (0.8.3): - MRProgress/Helper - - Nimble (9.0.0) + - Nimble (9.0.1) - NSObject-SafeExpectations (0.0.4) - "NSURL+IDN (0.4)" - OCMock (3.4.3) @@ -389,7 +389,7 @@ PODS: - WordPress-Aztec-iOS (1.19.4) - WordPress-Editor-iOS (1.19.4): - WordPress-Aztec-iOS (= 1.19.4) - - WordPressAuthenticator (1.37.0-beta.2): + - WordPressAuthenticator (1.37.0-beta.3): - 1PasswordExtension (~> 1.8.6) - Alamofire (~> 4.8) - CocoaLumberjack (~> 3.5) @@ -509,8 +509,6 @@ DEPENDENCIES: - ZIPFoundation (~> 0.9.8) SPEC REPOS: - https://github.com/wordpress-mobile/cocoapods-specs.git: - - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -550,6 +548,7 @@ SPEC REPOS: - UIDeviceIdentifier - WordPress-Aztec-iOS - WordPress-Editor-iOS + - WordPressKit - WordPressMocks - WordPressShared - WordPressUI @@ -669,7 +668,7 @@ CHECKOUT OPTIONS: :submodules: true :tag: v1.51.0 WordPressAuthenticator: - :commit: 7124a51c304dfa7580ad4b1aaeeb8016c4c02996 + :commit: ef167cc4cf7cc0ba124225a2b64786e69dbdc2a4 :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git SPEC CHECKSUMS: @@ -704,7 +703,7 @@ SPEC CHECKSUMS: lottie-ios: 3a3758ef5a008e762faec9c9d50a39842f26d124 MediaEditor: 20cdeb46bdecd040b8bc94467ac85a52b53b193a MRProgress: 16de7cc9f347e8846797a770db102a323fe7ef09 - Nimble: 3b4ec3fd40f1dc178058e0981107721c615643d8 + Nimble: 7bed62ffabd6dbfe05f5925cbc43722533248990 NSObject-SafeExpectations: ab8fe623d36b25aa1f150affa324e40a2f3c0374 "NSURL+IDN": afc873e639c18138a1589697c3add197fe8679ca OCMock: 43565190abc78977ad44a61c0d20d7f0784d35ab @@ -751,8 +750,8 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: cb9e17ac7d9b66d001e3f7abe2e860fe3b6e817e - WordPressKit: f4a5dc6c81866defddd69ce49427f2d460ed63ad + WordPressAuthenticator: 7004b639b5961c0313722ca03ce9b98ec6f51641 + WordPressKit: c2fb5465bdcaf5275a2560dba3a1299164a4f7d2 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -768,6 +767,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: aac1cbd1bff8bb0f956e0d1efde61d97fc334a17 +PODFILE CHECKSUM: edc33ff174e137bf835d78d7bac5f4f0756f6e8e COCOAPODS: 1.10.0 From 3a39654a72f0ac30cc990b4eb37aa84f2be0ec83 Mon Sep 17 00:00:00 2001 From: Olivier Halligon Date: Thu, 29 Apr 2021 20:18:10 +0200 Subject: [PATCH 142/190] Add a SwiftLint rule for SwiftUI localization --- .swiftlint.yml | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/.swiftlint.yml b/.swiftlint.yml index 587585ad8752..434cfd7bc1c3 100644 --- a/.swiftlint.yml +++ b/.swiftlint.yml @@ -76,3 +76,10 @@ custom_rules: regex: 'NSLocalizedString\("[^"]*\\\(\S*\)' message: "Localized strings must not use interpolated variables. Instead, use `String(format:`" severity: error + + swiftui_localization: + name: "SwiftUI Localization" + regex: 'LocalizedStringKey' + message: "Using `LocalizedStringKey` is incompatible with our tooling and doesn't allow you to provide a hint/context comment for translators either. Please use `NSLocalizedString` instead, even with SwiftUI code." + severity: error + excluded: '.*Widgets/.*' From 837af3b409bdf954d1ca3ca815c350c08002197c Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 29 Apr 2021 12:28:39 -0600 Subject: [PATCH 143/190] Add CommentService extension to manage comment likes. --- .../Services/CommentService+Likes.swift | 90 +++++++++++++++++++ WordPress/Classes/Services/CommentService.h | 9 ++ WordPress/Classes/Services/CommentService.m | 1 + WordPress/WordPress.xcodeproj/project.pbxproj | 6 ++ 4 files changed, 106 insertions(+) create mode 100644 WordPress/Classes/Services/CommentService+Likes.swift diff --git a/WordPress/Classes/Services/CommentService+Likes.swift b/WordPress/Classes/Services/CommentService+Likes.swift new file mode 100644 index 000000000000..206a9e2c58e5 --- /dev/null +++ b/WordPress/Classes/Services/CommentService+Likes.swift @@ -0,0 +1,90 @@ +extension CommentService { + + /** + Fetches a list of users that liked the comment with the given ID. + + @param commentID The ID of the comment to fetch likes for + @param siteID The ID of the site that contains the post + @param success A success block + @param failure A failure block + */ + func getLikesFor(commentID: NSNumber, + siteID: NSNumber, + success: @escaping (([LikeUser]) -> Void), + failure: @escaping ((Error?) -> Void)) { + + guard let remote = restRemote(forSite: siteID) else { + DDLogError("Unable to create a REST remote for comments.") + failure(nil) + return + } + + remote.getLikesForCommentID(commentID) { remoteLikeUsers in + self.createNewUsers(from: remoteLikeUsers, commentID: commentID, siteID: siteID) { + let users = self.likeUsersFor(commentID: commentID, siteID: siteID) + success(users) + } + } failure: { error in + DDLogError(String(describing: error)) + failure(error) + } + } + +} + +private extension CommentService { + + func createNewUsers(from remoteLikeUsers: [RemoteLikeUser]?, + commentID: NSNumber, + siteID: NSNumber, + onComplete: @escaping (() -> Void)) { + + guard let remoteLikeUsers = remoteLikeUsers, + !remoteLikeUsers.isEmpty else { + onComplete() + return + } + + let derivedContext = ContextManager.shared.newDerivedContext() + + derivedContext.perform { + + self.deleteExistingUsersFor(commentID: commentID, siteID: siteID, from: derivedContext) + + remoteLikeUsers.forEach { + LikeUserHelper.createUserFrom(remoteUser: $0, context: derivedContext) + } + + ContextManager.shared.save(derivedContext) { + DispatchQueue.main.async { + onComplete() + } + } + } + } + + func deleteExistingUsersFor(commentID: NSNumber, siteID: NSNumber, from context: NSManagedObjectContext) { + let request = LikeUser.fetchRequest() as NSFetchRequest + request.predicate = NSPredicate(format: "likedSiteID = %@ AND likedCommentID = %@", siteID, commentID) + + do { + let users = try context.fetch(request) + users.forEach { context.delete($0) } + } catch { + DDLogError("Error fetching comment Like Users: \(error)") + } + } + + func likeUsersFor(commentID: NSNumber, siteID: NSNumber) -> [LikeUser] { + let request = LikeUser.fetchRequest() as NSFetchRequest + request.predicate = NSPredicate(format: "likedSiteID = %@ AND likedCommentID = %@", siteID, commentID) + request.sortDescriptors = [NSSortDescriptor(key: "dateLiked", ascending: false)] + + if let users = try? managedObjectContext.fetch(request) { + return users + } + + return [LikeUser]() + } + +} diff --git a/WordPress/Classes/Services/CommentService.h b/WordPress/Classes/Services/CommentService.h index 5871a3e41355..2e877ce9a0a1 100644 --- a/WordPress/Classes/Services/CommentService.h +++ b/WordPress/Classes/Services/CommentService.h @@ -193,4 +193,13 @@ extern NSUInteger const WPTopLevelHierarchicalCommentsPerPage; success:(void (^)(NSArray *))success failure:(void (^)(NSError * _Nullable))failure; +/** + Get a CommentServiceRemoteREST for the given site. + This is public so it can be accessed from Swift extensions. + + @param siteID The ID of the site the remote will be used for. + */ +- (CommentServiceRemoteREST *_Nullable)restRemoteForSite:(NSNumber *_Nonnull)siteID; + + @end diff --git a/WordPress/Classes/Services/CommentService.m b/WordPress/Classes/Services/CommentService.m index a27d438e74ca..259f84c493ab 100644 --- a/WordPress/Classes/Services/CommentService.m +++ b/WordPress/Classes/Services/CommentService.m @@ -778,6 +778,7 @@ - (void)toggleLikeStatusForComment:(Comment *)comment } } +// TODO: remove when LikesListController is updated to use LikeUsers method. - (void)getLikesForCommentID:(NSNumber *)commentID siteID:(NSNumber *)siteID success:(void (^)(NSArray *))success diff --git a/WordPress/WordPress.xcodeproj/project.pbxproj b/WordPress/WordPress.xcodeproj/project.pbxproj index f43328267356..44af2cccb45e 100644 --- a/WordPress/WordPress.xcodeproj/project.pbxproj +++ b/WordPress/WordPress.xcodeproj/project.pbxproj @@ -1407,6 +1407,8 @@ 9826AE9121B5D3CD00C851FA /* PostingActivityCell.xib in Resources */ = {isa = PBXBuildFile; fileRef = 9826AE8F21B5D3CD00C851FA /* PostingActivityCell.xib */; }; 9829162F2224BC1C008736C0 /* SiteStatsDetailsViewModel.swift in Sources */ = {isa = PBXBuildFile; fileRef = 9829162E2224BC1C008736C0 /* SiteStatsDetailsViewModel.swift */; }; 982A4C3520227D6700B5518E /* NoResultsViewController.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982A4C3420227D6700B5518E /* NoResultsViewController.swift */; }; + 982DA9A7263B1E2F00E5743B /* CommentService+Likes.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DA9A6263B1E2F00E5743B /* CommentService+Likes.swift */; }; + 982DA9A8263B1E2F00E5743B /* CommentService+Likes.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DA9A6263B1E2F00E5743B /* CommentService+Likes.swift */; }; 982DDF90263238A6002B3904 /* LikeUser+CoreDataClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8C263238A6002B3904 /* LikeUser+CoreDataClass.swift */; }; 982DDF91263238A6002B3904 /* LikeUser+CoreDataClass.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8C263238A6002B3904 /* LikeUser+CoreDataClass.swift */; }; 982DDF92263238A6002B3904 /* LikeUser+CoreDataProperties.swift in Sources */ = {isa = PBXBuildFile; fileRef = 982DDF8D263238A6002B3904 /* LikeUser+CoreDataProperties.swift */; }; @@ -5917,6 +5919,7 @@ 9826AE8F21B5D3CD00C851FA /* PostingActivityCell.xib */ = {isa = PBXFileReference; lastKnownFileType = file.xib; path = PostingActivityCell.xib; sourceTree = ""; }; 9829162E2224BC1C008736C0 /* SiteStatsDetailsViewModel.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = SiteStatsDetailsViewModel.swift; sourceTree = ""; }; 982A4C3420227D6700B5518E /* NoResultsViewController.swift */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.swift; path = NoResultsViewController.swift; sourceTree = ""; }; + 982DA9A6263B1E2F00E5743B /* CommentService+Likes.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "CommentService+Likes.swift"; sourceTree = ""; }; 982DDF8C263238A6002B3904 /* LikeUser+CoreDataClass.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "LikeUser+CoreDataClass.swift"; sourceTree = ""; }; 982DDF8D263238A6002B3904 /* LikeUser+CoreDataProperties.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "LikeUser+CoreDataProperties.swift"; sourceTree = ""; }; 982DDF8E263238A6002B3904 /* LikeUserPreferredBlog+CoreDataClass.swift */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.swift; path = "LikeUserPreferredBlog+CoreDataClass.swift"; sourceTree = ""; }; @@ -10909,6 +10912,7 @@ 9A2D0B22225CB92B009E585F /* BlogService+JetpackConvenience.swift */, E1556CF0193F6FE900FC52EA /* CommentService.h */, E1556CF1193F6FE900FC52EA /* CommentService.m */, + 982DA9A6263B1E2F00E5743B /* CommentService+Likes.swift */, AB2211D125ED68E300BF72FC /* CommentServiceRemoteFactory.swift */, E16A76F21FC4766900A661E3 /* CredentialsService.swift */, 1702BBDF1CF3034E00766A33 /* DomainsService.swift */, @@ -16781,6 +16785,7 @@ 912347192213484300BD9F97 /* GutenbergViewController+InformativeDialog.swift in Sources */, 2FA6511721F26A24009AA935 /* ChangePasswordViewController.swift in Sources */, D816C1F020E0893A00C4D82F /* LikeComment.swift in Sources */, + 982DA9A7263B1E2F00E5743B /* CommentService+Likes.swift in Sources */, 59E1D46E1CEF77B500126697 /* Page.swift in Sources */, 321955BF24BE234C00E3F316 /* ReaderInterestsCoordinator.swift in Sources */, FAE4327425874D140039EB8C /* ReaderSavedPostCellActions.swift in Sources */, @@ -19249,6 +19254,7 @@ FABB24DE2602FC2C00C8785C /* UIViewController+NoResults.swift in Sources */, FABB24DF2602FC2C00C8785C /* TimeZoneStore.swift in Sources */, FABB24E02602FC2C00C8785C /* UserSuggestion+CoreDataClass.swift in Sources */, + 982DA9A8263B1E2F00E5743B /* CommentService+Likes.swift in Sources */, FABB24E12602FC2C00C8785C /* MediaLibraryPicker.swift in Sources */, 46F583D52624D0BC0010A723 /* Blog+BlockEditorSettings.swift in Sources */, FABB24E22602FC2C00C8785C /* SharingAccountViewController.swift in Sources */, From d25018524f1bef2511e0adfab7b9ae4c2c77e62a Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 29 Apr 2021 12:29:03 -0600 Subject: [PATCH 144/190] Sort post likes by date. --- WordPress/Classes/Services/PostService+Likes.swift | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/WordPress/Classes/Services/PostService+Likes.swift b/WordPress/Classes/Services/PostService+Likes.swift index 1436dc811202..664c0e35e38d 100644 --- a/WordPress/Classes/Services/PostService+Likes.swift +++ b/WordPress/Classes/Services/PostService+Likes.swift @@ -71,13 +71,14 @@ private extension PostService { let users = try context.fetch(request) users.forEach { context.delete($0) } } catch { - DDLogError("Error fetching Like Users: \(error)") + DDLogError("Error fetching post Like Users: \(error)") } } func likeUsersFor(postID: NSNumber, siteID: NSNumber) -> [LikeUser] { let request = LikeUser.fetchRequest() as NSFetchRequest request.predicate = NSPredicate(format: "likedSiteID = %@ AND likedPostID = %@", siteID, postID) + request.sortDescriptors = [NSSortDescriptor(key: "dateLiked", ascending: false)] if let users = try? managedObjectContext.fetch(request) { return users From 48e842b695d333b69285e5dd8070f9bbc70de0db Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 29 Apr 2021 12:29:26 -0600 Subject: [PATCH 145/190] Add temporary calls to new fetch methods for testing. --- .../Likes/LikesListController.swift | 19 +++++++++++++++++++ 1 file changed, 19 insertions(+) diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index f241bd8470de..38d060a90047 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -123,11 +123,30 @@ class LikesListController: NSObject { siteID: siteID, success: success, failure: failure) + + /// + // TODO: for testing only. Remove before merging. + let successBlock = { (likeUsers: [LikeUser]) -> Void in + print("🔴 post users count: ", likeUsers.count) + likeUsers.forEach { print("🔴 post user: \($0.displayName), date liked: \($0.dateLiked)") } + } + postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock, failure: failure) + /// case .comment(let commentID): commentService.getLikesForCommentID(commentID, siteID: siteID, success: success, failure: failure) + + /// + // TODO: for testing only. Remove before merging. + let successBlock = { (likeUsers: [LikeUser]) -> Void in + print("🔴 comment users count: ", likeUsers.count) + likeUsers.forEach { print("🔴 comment user: \($0.displayName), date liked: \($0.dateLiked)") } + } + + commentService.getLikesFor(commentID: commentID, siteID: siteID, success: successBlock, failure: failure) + /// } } } From 8f0661ecad31fb90887db750efcf0267044975cc Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Thu, 29 Apr 2021 14:39:02 -0400 Subject: [PATCH 146/190] Update WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift Co-authored-by: Leandro Alonso --- .../Jetpack/Classes/NUX/JetpackPrologueViewController.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift index 54a5d18dc377..80d69ef4c4f2 100644 --- a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift @@ -16,7 +16,7 @@ class JetpackPrologueViewController: UIViewController { let gradientLayer = CAGradientLayer() // Start color is the background color with no alpha because if we use clear it will fade to black - // instead of just disappearin + // instead of just disappearing let startColor = JetpackPrologueStyleGuide.backgroundColor.withAlphaComponent(0) let endColor = JetpackPrologueStyleGuide.backgroundColor From b63258021de700860e8c67db0b09979bb604924a Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 29 Apr 2021 14:41:34 -0600 Subject: [PATCH 147/190] Remove testing code. --- .../Likes/LikesListController.swift | 19 ------------------- 1 file changed, 19 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index 38d060a90047..f241bd8470de 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -123,30 +123,11 @@ class LikesListController: NSObject { siteID: siteID, success: success, failure: failure) - - /// - // TODO: for testing only. Remove before merging. - let successBlock = { (likeUsers: [LikeUser]) -> Void in - print("🔴 post users count: ", likeUsers.count) - likeUsers.forEach { print("🔴 post user: \($0.displayName), date liked: \($0.dateLiked)") } - } - postService.getLikesFor(postID: postID, siteID: siteID, success: successBlock, failure: failure) - /// case .comment(let commentID): commentService.getLikesForCommentID(commentID, siteID: siteID, success: success, failure: failure) - - /// - // TODO: for testing only. Remove before merging. - let successBlock = { (likeUsers: [LikeUser]) -> Void in - print("🔴 comment users count: ", likeUsers.count) - likeUsers.forEach { print("🔴 comment user: \($0.displayName), date liked: \($0.dateLiked)") } - } - - commentService.getLikesFor(commentID: commentID, siteID: siteID, success: successBlock, failure: failure) - /// } } } From c35a51b2eaf21e8a9aa8a2db28f4c8bbfb16cd1e Mon Sep 17 00:00:00 2001 From: Stephenie Harris Date: Thu, 29 Apr 2021 16:10:02 -0600 Subject: [PATCH 148/190] Use cached LikeUser instead of RemoteUser for Post and Comment likes. --- WordPress/Classes/Services/CommentService.m | 2 +- WordPress/Classes/Services/PostService.m | 2 +- .../Likes/LikesListController.swift | 26 +++------- .../NotificationDetailsViewController.swift | 4 +- .../Views/LikeUserTableViewCell.swift | 4 +- .../UserProfileSheetViewController.swift | 50 ++++++++----------- .../UserProfileSiteCell.swift | 6 ++- .../UserProfileUserInfoCell.swift | 10 ++-- 8 files changed, 41 insertions(+), 63 deletions(-) diff --git a/WordPress/Classes/Services/CommentService.m b/WordPress/Classes/Services/CommentService.m index 259f84c493ab..37119a1b68c3 100644 --- a/WordPress/Classes/Services/CommentService.m +++ b/WordPress/Classes/Services/CommentService.m @@ -778,7 +778,7 @@ - (void)toggleLikeStatusForComment:(Comment *)comment } } -// TODO: remove when LikesListController is updated to use LikeUsers method. +// TODO: remove when CommentServiceTests is updated to use LikeUsers method. - (void)getLikesForCommentID:(NSNumber *)commentID siteID:(NSNumber *)siteID success:(void (^)(NSArray *))success diff --git a/WordPress/Classes/Services/PostService.m b/WordPress/Classes/Services/PostService.m index 6619736d6951..822fcd46d3b8 100644 --- a/WordPress/Classes/Services/PostService.m +++ b/WordPress/Classes/Services/PostService.m @@ -684,7 +684,7 @@ - (void)restoreRemotePostWithPost:(AbstractPost*)post [remote restorePost:remotePost success:successBlock failure:failureBlock]; } -// TODO: remove when LikesListController is updated to use LikeUsers method. +// TODO: remove when PostServiceWPComTests is updated to use LikeUsers method. - (void)getLikesForPostID:(NSNumber *)postID siteID:(NSNumber *)siteID success:(void (^)(NSArray *))success diff --git a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift index f241bd8470de..b92d09b3c430 100644 --- a/WordPress/Classes/ViewRelated/Likes/LikesListController.swift +++ b/WordPress/Classes/ViewRelated/Likes/LikesListController.swift @@ -8,17 +8,11 @@ import WordPressKit class LikesListController: NSObject { private let formatter = FormattableContentFormatter() - private let content: ContentIdentifier - private let siteID: NSNumber - private let notification: Notification? - private let tableView: UITableView - - private var likingUsers: [RemoteUser] = [] - + private var likingUsers: [LikeUser] = [] private weak var delegate: LikesListControllerDelegate? private lazy var postService: PostService = { @@ -104,7 +98,7 @@ class LikesListController: NSObject { isLoadingContent = true fetchLikes(success: { [weak self] users in - self?.likingUsers = users ?? [] + self?.likingUsers = users self?.isLoadingContent = false }, failure: { [weak self] _ in // TODO: Handle error state @@ -116,18 +110,12 @@ class LikesListController: NSObject { /// - Parameters: /// - success: Closure to be called when the fetch is successful. /// - failure: Closure to be called when the fetch failed. - private func fetchLikes(success: @escaping ([RemoteUser]?) -> Void, failure: @escaping (Error?) -> Void) { + private func fetchLikes(success: @escaping ([LikeUser]) -> Void, failure: @escaping (Error?) -> Void) { switch content { case .post(let postID): - postService.getLikesForPostID(postID, - siteID: siteID, - success: success, - failure: failure) + postService.getLikesFor(postID: postID, siteID: siteID, success: success, failure: failure) case .comment(let commentID): - commentService.getLikesForCommentID(commentID, - siteID: siteID, - success: success, - failure: failure) + commentService.getLikesFor(commentID: commentID, siteID: siteID, success: success, failure: failure) } } } @@ -240,8 +228,8 @@ protocol LikesListControllerDelegate: class { func didSelectHeader() /// Reports to the delegate that the user cell has been tapped. - /// - Parameter user: A RemoteUser instance representing the user at the selected row. - func didSelectUser(_ user: RemoteUser, at indexPath: IndexPath) + /// - Parameter user: A LikeUser instance representing the user at the selected row. + func didSelectUser(_ user: LikeUser, at indexPath: IndexPath) } // MARK: - Private Definitions diff --git a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift index c03d4794df06..a6bd89e667b7 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Controllers/NotificationDetailsViewController.swift @@ -982,7 +982,7 @@ private extension NotificationDetailsViewController { } } - func displayUserProfile(_ user: RemoteUser, from indexPath: IndexPath) { + func displayUserProfile(_ user: LikeUser, from indexPath: IndexPath) { let userProfileVC = UserProfileSheetViewController(user: user) let bottomSheet = BottomSheetViewController(childViewController: userProfileVC) @@ -1378,7 +1378,7 @@ extension NotificationDetailsViewController: LikesListControllerDelegate { displayNotificationSource() } - func didSelectUser(_ user: RemoteUser, at indexPath: IndexPath) { + func didSelectUser(_ user: LikeUser, at indexPath: IndexPath) { displayUserProfile(user, from: indexPath) } diff --git a/WordPress/Classes/ViewRelated/Notifications/Views/LikeUserTableViewCell.swift b/WordPress/Classes/ViewRelated/Notifications/Views/LikeUserTableViewCell.swift index 9bb9aff54071..2ef714f1b345 100644 --- a/WordPress/Classes/ViewRelated/Notifications/Views/LikeUserTableViewCell.swift +++ b/WordPress/Classes/ViewRelated/Notifications/Views/LikeUserTableViewCell.swift @@ -24,10 +24,10 @@ class LikeUserTableViewCell: UITableViewCell, NibReusable { // MARK: - Public Methods - func configure(withUser user: RemoteUser, isLastRow: Bool = false) { + func configure(withUser user: LikeUser, isLastRow: Bool = false) { nameLabel.text = user.displayName usernameLabel.text = String(format: Constants.usernameFormat, user.username) - downloadGravatarWithURL(user.avatarURL) + downloadGravatarWithURL(user.avatarUrl) separatorLeadingConstraint.constant = isLastRow ? 0 : cellStackViewLeadingConstraint.constant } diff --git a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift index ceabbb88c7b8..5201c768fb61 100644 --- a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift +++ b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSheetViewController.swift @@ -2,7 +2,7 @@ class UserProfileSheetViewController: UITableViewController { // MARK: - Properties - private let user: RemoteUser + private let user: LikeUser private lazy var mainContext = { return ContextManager.sharedInstance().mainContext @@ -14,7 +14,7 @@ class UserProfileSheetViewController: UITableViewController { // MARK: - Init - init(user: RemoteUser) { + init(user: LikeUser) { self.user = user super.init(nibName: nil, bundle: nil) } @@ -67,8 +67,7 @@ extension UserProfileSheetViewController: DrawerPresentable { extension UserProfileSheetViewController { override func numberOfSections(in tableView: UITableView) -> Int { - // TODO: if no site, return 1. - return 2 + return user.preferredBlog != nil ? 2 : 1 } override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int { @@ -92,8 +91,6 @@ extension UserProfileSheetViewController { return nil } - // TODO: Don't show section header if there are no sites. - header.titleLabel.text = Constants.siteSectionTitle return header } @@ -108,13 +105,7 @@ extension UserProfileSheetViewController { } override func tableView(_ tableView: UITableView, heightForHeaderInSection section: Int) -> CGFloat { - - // TODO: return 0 if there are no sites. - if section == Constants.userInfoSection { - return 0 - } - - return UITableView.automaticDimension + return section == Constants.userInfoSection ? 0 : UITableView.automaticDimension } override func tableView(_ tableView: UITableView, canEditRowAt indexPath: IndexPath) -> Bool { @@ -138,19 +129,17 @@ private extension UserProfileSheetViewController { func showSite() { WPAnalytics.track(.userProfileSheetSiteShown) - // TODO: Remove. For testing only. Use siteID from user object. - var stubbySiteID: NSNumber? - // use this to test external site - stubbySiteID = nil - // use this to test internal site - // stubbySiteID = NSNumber(value: 9999999999) + guard let blog = user.preferredBlog else { + return + } - guard let siteID = stubbySiteID else { - showSiteWebView() + guard blog.blogID > 0 else { + showSiteWebView(withUrl: blog.blogUrl) return } - showSiteTopicWithID(siteID) + showSiteTopicWithID(NSNumber(value: blog.blogID)) + } func showSiteTopicWithID(_ siteID: NSNumber) { @@ -160,17 +149,17 @@ private extension UserProfileSheetViewController { present(navController, animated: true) } - func showSiteWebView() { - // TODO: Remove. For testing only. Use URL from user object. - let siteUrl = "https://www.funnycatpix.com/" + func showSiteWebView(withUrl url: String?) { - guard let url = URL(string: siteUrl) else { + guard let urlString = url, + !urlString.isEmpty, + let siteURL = URL(string: urlString) else { DDLogError("User Profile: Error creating URL from site string.") return } - contentCoordinator.displayWebViewWithURL(url) - } + contentCoordinator.displayWebViewWithURL(siteURL) +} func configureTable() { tableView.backgroundColor = .basicBackground @@ -198,11 +187,12 @@ private extension UserProfileSheetViewController { } func siteCell() -> UITableViewCell { - guard let cell = tableView.dequeueReusableCell(withIdentifier: UserProfileSiteCell.defaultReuseID) as? UserProfileSiteCell else { + guard let cell = tableView.dequeueReusableCell(withIdentifier: UserProfileSiteCell.defaultReuseID) as? UserProfileSiteCell, + let blog = user.preferredBlog else { return UITableViewCell() } - cell.configure() + cell.configure(withBlog: blog) return cell } diff --git a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSiteCell.swift b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSiteCell.swift index 94534f60f0ed..4aa72e92b215 100644 --- a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSiteCell.swift +++ b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileSiteCell.swift @@ -19,8 +19,10 @@ class UserProfileSiteCell: UITableViewCell, NibReusable { // MARK: - Public Methods - func configure() { - downloadIconWithURL(nil) + func configure(withBlog blog: LikeUserPreferredBlog) { + siteNameLabel.text = blog.blogName + siteUrlLabel.text = blog.blogUrl + downloadIconWithURL(blog.iconUrl) } } diff --git a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileUserInfoCell.swift b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileUserInfoCell.swift index 40037986ed27..3cf119647c2b 100644 --- a/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileUserInfoCell.swift +++ b/WordPress/Classes/ViewRelated/User Profile Sheet/UserProfileUserInfoCell.swift @@ -18,16 +18,14 @@ class UserProfileUserInfoCell: UITableViewCell, NibReusable { // MARK: - Public Methods - func configure(withUser user: RemoteUser) { + func configure(withUser user: LikeUser) { nameLabel.text = user.displayName usernameLabel.text = String(format: Constants.usernameFormat, user.username) - // TODO: - // - replace with actual bio. - // - hide label if no bio. - userBioLabel.text = "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Consectetur purus ut faucibus pulvinar. Tincidunt eget nullam non nisi est sit amet facilisis magna. Morbi tincidunt augue interdum velit euismod in pellentesque. Sed adipiscing diam donec adipiscing." + userBioLabel.text = user.bio + userBioLabel.isHidden = user.bio.isEmpty - downloadGravatarWithURL(user.avatarURL) + downloadGravatarWithURL(user.avatarUrl) } } From 5ce7119cac85cedf5e53ca4ca270e647461bbd11 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Fri, 30 Apr 2021 11:34:49 -0400 Subject: [PATCH 149/190] Adjust button highlights --- WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift index fb76944847dd..65d5b171bf34 100644 --- a/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueStyleGuide.swift @@ -39,8 +39,8 @@ struct JetpackPrologueStyleGuide { titleColor: .white), highlighted: .init(backgroundColor: Self.backgroundColor, - borderColor: UIColor(red: 1.00, green: 1.00, blue: 1.00, alpha: 0.90), - titleColor: .white), + borderColor: UIColor(red: 1.00, green: 1.00, blue: 1.00, alpha: 0.20), + titleColor: UIColor.white.withAlphaComponent(0.7)), disabled: .init(backgroundColor: .white, borderColor: .white, From de6f25e0d88ed5d5c50b1b74bea13733f6c22368 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Fri, 30 Apr 2021 11:35:13 -0400 Subject: [PATCH 150/190] Increase parallax amount --- .../Jetpack/Classes/NUX/JetpackPrologueViewController.swift | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift index 54a5d18dc377..17e73efae67f 100644 --- a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift @@ -70,7 +70,7 @@ class JetpackPrologueViewController: UIViewController { } private struct Constants { - static let parallaxAmount: CGFloat = 20 + static let parallaxAmount: CGFloat = 30 static let starLayerPosition: CGFloat = -100 static let gradientLayerPosition: CGFloat = -99 } From c5129d7f9e5faa6c25b97054b3aceef0426d1d3d Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Fri, 30 Apr 2021 11:36:59 -0400 Subject: [PATCH 151/190] Fix accessibility issues on Jetpack prologue screen --- .../NUX/JetpackPrologueViewController.swift | 18 +++++++++++++++++- .../NUX/JetpackPrologueViewController.xib | 7 ++++--- 2 files changed, 21 insertions(+), 4 deletions(-) diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift index 17e73efae67f..2cdec1a4a5a9 100644 --- a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.swift @@ -34,14 +34,30 @@ class JetpackPrologueViewController: UIViewController { view.layer.addSublayer(gradientLayer) titleLabel.text = NSLocalizedString("Site security and performance\nfrom your pocket", comment: "Prologue title label, the \n force splits it into 2 lines.") - titleLabel.font = JetpackPrologueStyleGuide.Title.font titleLabel.textColor = JetpackPrologueStyleGuide.Title.textColor + titleLabel.font = JetpackPrologueStyleGuide.Title.font // Move the layers to appear below everything else starFieldView.layer.zPosition = Constants.starLayerPosition gradientLayer.zPosition = Constants.gradientLayerPosition addParallax() + + updateLabel(for: traitCollection) + } + + func updateLabel(for traitCollection: UITraitCollection) { + let contentSize = traitCollection.preferredContentSizeCategory + + // Hide the title label if the accessibility larger font size option is enabled + // this prevents the label from becoming truncated or clipped + titleLabel.isHidden = contentSize.isAccessibilityCategory + } + + override func traitCollectionDidChange(_ previousTraitCollection: UITraitCollection?) { + super.traitCollectionDidChange(previousTraitCollection) + + updateLabel(for: traitCollection) } override func viewDidLayoutSubviews() { diff --git a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib index 32b4ef721cf8..0b212dacd0a9 100644 --- a/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib +++ b/WordPress/Jetpack/Classes/NUX/JetpackPrologueViewController.xib @@ -1,6 +1,6 @@ - + @@ -17,11 +17,11 @@ - + - + @@ -45,6 +45,7 @@ from your pocket + From 951ab5193c59f8f353708f4a5ab5cc8ebb2da5b0 Mon Sep 17 00:00:00 2001 From: Cameron Voell Date: Fri, 30 Apr 2021 08:52:14 -0700 Subject: [PATCH 152/190] Release script: Update gutenberg-mobile ref --- Podfile | 2 +- Podfile.lock | 174 +++++++++++++++++++++++++-------------------------- 2 files changed, 88 insertions(+), 88 deletions(-) diff --git a/Podfile b/Podfile index 06681354cd56..4ca80cb5f693 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :tag => 'v1.51.0' + gutenberg :commit => '8645885e0549eac2425502b66dd088c268c0bd97' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index 6f31bacddfa6..4272417ffc8b 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -69,7 +69,7 @@ PODS: - AppAuth/Core (~> 1.4) - GTMSessionFetcher/Core (~> 1.5) - GTMSessionFetcher/Core (1.5.0) - - Gutenberg (1.51.0): + - Gutenberg (1.52.0): - React (= 0.61.5) - React-CoreModules (= 0.61.5) - React-RCTImage (= 0.61.5) @@ -376,7 +376,7 @@ PODS: - React - RNSVG (9.13.6-gb): - React - - RNTAztecView (1.51.0): + - RNTAztecView (1.52.0): - React-Core - WordPress-Aztec-iOS (~> 1.19.4) - Sentry (6.2.1): @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.51.0`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `8645885e0549eac2425502b66dd088c268c0bd97`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.51.0`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `8645885e0549eac2425502b66dd088c268c0bd97`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,105 +567,105 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/glog.podspec.json Gutenberg: + :commit: 8645885e0549eac2425502b66dd088c268c0bd97 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.51.0 RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNSVG.podspec.json RNTAztecView: + :commit: 8645885e0549eac2425502b66dd088c268c0bd97 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.51.0 Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: + :commit: 8645885e0549eac2425502b66dd088c268c0bd97 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.51.0 RNTAztecView: + :commit: 8645885e0549eac2425502b66dd088c268c0bd97 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.51.0 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -693,7 +693,7 @@ SPEC CHECKSUMS: Gridicons: 17d660b97ce4231d582101b02f8280628b141c9a GTMAppAuth: 5b53231ef6920f149ab84b2969cb0ab572da3077 GTMSessionFetcher: b3503b20a988c4e20cc189aa798fd18220133f52 - Gutenberg: d6b2d24ef7fc12c74c93f5c8304e665d0aa64a67 + Gutenberg: 1a6c725ed8e5d2de101d367212532801814d65b7 JTAppleCalendar: 932cadea40b1051beab10f67843451d48ba16c99 Kanvas: 828033a062a8df8bd73e6efd1a09ac438ead4b41 lottie-ios: 3a3758ef5a008e762faec9c9d50a39842f26d124 @@ -738,7 +738,7 @@ SPEC CHECKSUMS: RNReanimated: 13f7a6a22667c4f00aac217bc66f94e8560b3d59 RNScreens: 6833ac5c29cf2f03eed12103140530bbd75b6aea RNSVG: 68a534a5db06dcbdaebfd5079349191598caef7b - RNTAztecView: 0507765fb9a1d51a0a399d63b803c411e91cebf7 + RNTAztecView: 3a102797c46a9f3f984a20eb903829ec0433e697 Sentry: 9b922b396b0e0bca8516a10e36b0ea3ebea5faf7 Sodium: 23d11554ecd556196d313cf6130d406dfe7ac6da Starscream: ef3ece99d765eeccb67de105bfa143f929026cf5 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: aac1cbd1bff8bb0f956e0d1efde61d97fc334a17 +PODFILE CHECKSUM: 265f6a20bc9eb6a92a63e4d99c888dab27b3e527 COCOAPODS: 1.10.0 From f6d89e99c8231e2bf081482880c163d52e528141 Mon Sep 17 00:00:00 2001 From: Emily Laguna Date: Fri, 30 Apr 2021 11:57:00 -0400 Subject: [PATCH 153/190] Point WPAuth to 1.37.0-beta.3 --- Podfile | 4 ++-- Podfile.lock | 14 +++++--------- 2 files changed, 7 insertions(+), 11 deletions(-) diff --git a/Podfile b/Podfile index 180422093ec3..3cbb529436de 100644 --- a/Podfile +++ b/Podfile @@ -207,9 +207,9 @@ abstract_target 'Apps' do pod 'Gridicons', '~> 1.1.0' - # pod 'WordPressAuthenticator', '~> 1.37.0-beta.3' + pod 'WordPressAuthenticator', '~> 1.37.0-beta.3' # While in PR - pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => 'task/nuxbutton-styles' + # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => '' # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => '' # pod 'WordPressAuthenticator', :path => '../WordPressAuthenticator-iOS' diff --git a/Podfile.lock b/Podfile.lock index 4081c0760708..e0d259211df6 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -498,7 +498,7 @@ DEPENDENCIES: - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - - WordPressAuthenticator (from `https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git`, branch `task/nuxbutton-styles`) + - WordPressAuthenticator (~> 1.37.0-beta.3) - WordPressKit (~> 4.32.0-beta) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) @@ -509,6 +509,8 @@ DEPENDENCIES: - ZIPFoundation (~> 0.9.8) SPEC REPOS: + https://github.com/wordpress-mobile/cocoapods-specs.git: + - WordPressAuthenticator trunk: - 1PasswordExtension - Alamofire @@ -649,9 +651,6 @@ EXTERNAL SOURCES: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressAuthenticator: - :branch: task/nuxbutton-styles - :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git Yoga: :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.51.0/third-party-podspecs/Yoga.podspec.json @@ -667,9 +666,6 @@ CHECKOUT OPTIONS: :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true :tag: v1.51.0 - WordPressAuthenticator: - :commit: ef167cc4cf7cc0ba124225a2b64786e69dbdc2a4 - :git: https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -750,7 +746,7 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: 7004b639b5961c0313722ca03ce9b98ec6f51641 + WordPressAuthenticator: ade67c843e35afd5c462ce937a8c9126dff0303c WordPressKit: c2fb5465bdcaf5275a2560dba3a1299164a4f7d2 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 @@ -767,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: edc33ff174e137bf835d78d7bac5f4f0756f6e8e +PODFILE CHECKSUM: b603c4dc6c757b41143ea788d8494e9a9418b63f COCOAPODS: 1.10.0 From 06e2a14bd2a4ef9ecf592a54f4d47853168160f4 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 30 Apr 2021 11:56:42 -0600 Subject: [PATCH 154/190] Remove AnimatedGIFImageSerialization --- .../AnimatedGIFImageSerialization.podspec | 15 - .../contents.xcworkspacedata | 17 - .../AnimatedGIFImageSerialization.xccheckout | 41 --- .../project.pbxproj | 338 ------------------ .../contents.xcworkspacedata | 7 - .../Animated GIF Example/AppDelegate.h | 29 -- .../Animated GIF Example/AppDelegate.m | 49 --- .../AppIcon.appiconset/Contents.json | 23 -- .../LaunchImage.launchimage/Contents.json | 23 -- .../Example/Animated GIF Example/Info.plist | 37 -- .../Example/Animated GIF Example/Prefix.pch | 16 - .../Example/Animated GIF Example/animated.gif | Bin 504132 -> 0 bytes .../en.lproj/InfoPlist.strings | 2 - .../Example/Animated GIF Example/main.m | 30 -- .../LICENSE | 19 - .../README.md | 41 --- 16 files changed, 687 deletions(-) delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.podspec delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/contents.xcworkspacedata delete mode 100644 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/xcshareddata/AnimatedGIFImageSerialization.xccheckout delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.pbxproj delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.xcworkspace/contents.xcworkspacedata delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.h delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.m delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/AppIcon.appiconset/Contents.json delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/LaunchImage.launchimage/Contents.json delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Info.plist delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Prefix.pch delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/animated.gif delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/en.lproj/InfoPlist.strings delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/main.m delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/LICENSE delete mode 100755 WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/README.md diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.podspec b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.podspec deleted file mode 100755 index 189a3399b3ff..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.podspec +++ /dev/null @@ -1,15 +0,0 @@ -Pod::Spec.new do |s| - s.name = 'AnimatedGIFImageSerialization' - s.version = '0.1.0' - s.license = 'MIT' - s.summary = 'Decodes UIImage sequences from Animated GIFs.' - s.homepage = 'https://github.com/mattt/AnimatedGIFImageSerialization' - s.social_media_url = 'https://twitter.com/mattt' - s.authors = { 'Mattt Thompson' => 'm@mattt.me' } - s.source = { :git => 'https://github.com/mattt/AnimatedGIFImageSerialization.git', :tag => '0.1.0' } - s.source_files = 'AnimatedGIFImageSerialization' - s.requires_arc = true - - s.ios.frameworks = "MobileCoreServices", "ImageIO", "CoreGraphics" - s.ios.deployment_target = '5.0' -end diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/contents.xcworkspacedata b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/contents.xcworkspacedata deleted file mode 100755 index ec612867793b..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/contents.xcworkspacedata +++ /dev/null @@ -1,17 +0,0 @@ - - - - - - - - - - - diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/xcshareddata/AnimatedGIFImageSerialization.xccheckout b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/xcshareddata/AnimatedGIFImageSerialization.xccheckout deleted file mode 100644 index d9c7f4eacd83..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace/xcshareddata/AnimatedGIFImageSerialization.xccheckout +++ /dev/null @@ -1,41 +0,0 @@ - - - - - IDESourceControlProjectFavoriteDictionaryKey - - IDESourceControlProjectIdentifier - 97716021-2777-4EB3-ADBC-C7E5DA9BB05A - IDESourceControlProjectName - AnimatedGIFImageSerialization - IDESourceControlProjectOriginsDictionary - - B7298D54-03E8-42E6-B043-EDFC6B8797C0 - ssh://github.com/wordpress-mobile/WordPress-iOS.git - - IDESourceControlProjectPath - WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/AnimatedGIFImageSerialization.xcworkspace - IDESourceControlProjectRelativeInstallPathDictionary - - B7298D54-03E8-42E6-B043-EDFC6B8797C0 - ../../../.. - - IDESourceControlProjectURL - ssh://github.com/wordpress-mobile/WordPress-iOS.git - IDESourceControlProjectVersion - 110 - IDESourceControlProjectWCCIdentifier - B7298D54-03E8-42E6-B043-EDFC6B8797C0 - IDESourceControlProjectWCConfigurations - - - IDESourceControlRepositoryExtensionIdentifierKey - public.vcs.git - IDESourceControlWCCIdentifierKey - B7298D54-03E8-42E6-B043-EDFC6B8797C0 - IDESourceControlWCCName - WordPress-iOS - - - - diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.pbxproj b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.pbxproj deleted file mode 100755 index 5a9d92d826df..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.pbxproj +++ /dev/null @@ -1,338 +0,0 @@ -// !$*UTF8*$! -{ - archiveVersion = 1; - classes = { - }; - objectVersion = 46; - objects = { - -/* Begin PBXBuildFile section */ - F82E75AF18ABDC4E002D596E /* Foundation.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = F82E75AE18ABDC4E002D596E /* Foundation.framework */; }; - F82E75B118ABDC4E002D596E /* CoreGraphics.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = F82E75B018ABDC4E002D596E /* CoreGraphics.framework */; }; - F82E75B318ABDC4E002D596E /* UIKit.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = F82E75B218ABDC4E002D596E /* UIKit.framework */; }; - F82E75B918ABDC4E002D596E /* InfoPlist.strings in Resources */ = {isa = PBXBuildFile; fileRef = F82E75B718ABDC4E002D596E /* InfoPlist.strings */; }; - F82E75BB18ABDC4E002D596E /* main.m in Sources */ = {isa = PBXBuildFile; fileRef = F82E75BA18ABDC4E002D596E /* main.m */; }; - F82E75BF18ABDC4E002D596E /* AppDelegate.m in Sources */ = {isa = PBXBuildFile; fileRef = F82E75BE18ABDC4E002D596E /* AppDelegate.m */; }; - F82E75C118ABDC4E002D596E /* Images.xcassets in Resources */ = {isa = PBXBuildFile; fileRef = F82E75C018ABDC4E002D596E /* Images.xcassets */; }; - F83E7E5F18E1FCA900309F89 /* AnimatedGIFImageSerialization.m in Sources */ = {isa = PBXBuildFile; fileRef = F83E7E5E18E1FCA900309F89 /* AnimatedGIFImageSerialization.m */; }; - F862CE2518E1EFF000DC750D /* ImageIO.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = F862CE2418E1EFF000DC750D /* ImageIO.framework */; }; - F862CE2718E1F53800DC750D /* animated.gif in Resources */ = {isa = PBXBuildFile; fileRef = F862CE2618E1F53800DC750D /* animated.gif */; }; - F862CE2918E1F7AB00DC750D /* MobileCoreServices.framework in Frameworks */ = {isa = PBXBuildFile; fileRef = F862CE2818E1F7AB00DC750D /* MobileCoreServices.framework */; }; -/* End PBXBuildFile section */ - -/* Begin PBXFileReference section */ - F82E75AB18ABDC4E002D596E /* Animated GIF.app */ = {isa = PBXFileReference; explicitFileType = wrapper.application; includeInIndex = 0; path = "Animated GIF.app"; sourceTree = BUILT_PRODUCTS_DIR; }; - F82E75AE18ABDC4E002D596E /* Foundation.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = Foundation.framework; path = System/Library/Frameworks/Foundation.framework; sourceTree = SDKROOT; }; - F82E75B018ABDC4E002D596E /* CoreGraphics.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = CoreGraphics.framework; path = System/Library/Frameworks/CoreGraphics.framework; sourceTree = SDKROOT; }; - F82E75B218ABDC4E002D596E /* UIKit.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = UIKit.framework; path = System/Library/Frameworks/UIKit.framework; sourceTree = SDKROOT; }; - F82E75B618ABDC4E002D596E /* Info.plist */ = {isa = PBXFileReference; lastKnownFileType = text.plist.xml; path = Info.plist; sourceTree = ""; }; - F82E75B818ABDC4E002D596E /* en */ = {isa = PBXFileReference; lastKnownFileType = text.plist.strings; name = en; path = en.lproj/InfoPlist.strings; sourceTree = ""; }; - F82E75BA18ABDC4E002D596E /* main.m */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = main.m; sourceTree = ""; }; - F82E75BC18ABDC4E002D596E /* Prefix.pch */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = Prefix.pch; sourceTree = ""; }; - F82E75BD18ABDC4E002D596E /* AppDelegate.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = AppDelegate.h; sourceTree = ""; }; - F82E75BE18ABDC4E002D596E /* AppDelegate.m */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.objc; path = AppDelegate.m; sourceTree = ""; }; - F82E75C018ABDC4E002D596E /* Images.xcassets */ = {isa = PBXFileReference; lastKnownFileType = folder.assetcatalog; path = Images.xcassets; sourceTree = ""; }; - F83E7E5D18E1FCA900309F89 /* AnimatedGIFImageSerialization.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = AnimatedGIFImageSerialization.h; sourceTree = ""; }; - F83E7E5E18E1FCA900309F89 /* AnimatedGIFImageSerialization.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = AnimatedGIFImageSerialization.m; sourceTree = ""; }; - F862CE2418E1EFF000DC750D /* ImageIO.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = ImageIO.framework; path = System/Library/Frameworks/ImageIO.framework; sourceTree = SDKROOT; }; - F862CE2618E1F53800DC750D /* animated.gif */ = {isa = PBXFileReference; lastKnownFileType = image.gif; path = animated.gif; sourceTree = ""; }; - F862CE2818E1F7AB00DC750D /* MobileCoreServices.framework */ = {isa = PBXFileReference; lastKnownFileType = wrapper.framework; name = MobileCoreServices.framework; path = System/Library/Frameworks/MobileCoreServices.framework; sourceTree = SDKROOT; }; -/* End PBXFileReference section */ - -/* Begin PBXFrameworksBuildPhase section */ - F82E75A818ABDC4E002D596E /* Frameworks */ = { - isa = PBXFrameworksBuildPhase; - buildActionMask = 2147483647; - files = ( - F862CE2918E1F7AB00DC750D /* MobileCoreServices.framework in Frameworks */, - F862CE2518E1EFF000DC750D /* ImageIO.framework in Frameworks */, - F82E75B118ABDC4E002D596E /* CoreGraphics.framework in Frameworks */, - F82E75B318ABDC4E002D596E /* UIKit.framework in Frameworks */, - F82E75AF18ABDC4E002D596E /* Foundation.framework in Frameworks */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; -/* End PBXFrameworksBuildPhase section */ - -/* Begin PBXGroup section */ - F82E75A218ABDC4E002D596E = { - isa = PBXGroup; - children = ( - F82E75B418ABDC4E002D596E /* Animated GIF Example */, - F82E75AD18ABDC4E002D596E /* Frameworks */, - F82E75AC18ABDC4E002D596E /* Products */, - F82E75DD18ABDC57002D596E /* Vendor */, - ); - sourceTree = ""; - }; - F82E75AC18ABDC4E002D596E /* Products */ = { - isa = PBXGroup; - children = ( - F82E75AB18ABDC4E002D596E /* Animated GIF.app */, - ); - name = Products; - sourceTree = ""; - }; - F82E75AD18ABDC4E002D596E /* Frameworks */ = { - isa = PBXGroup; - children = ( - F862CE2818E1F7AB00DC750D /* MobileCoreServices.framework */, - F862CE2418E1EFF000DC750D /* ImageIO.framework */, - F82E75AE18ABDC4E002D596E /* Foundation.framework */, - F82E75B018ABDC4E002D596E /* CoreGraphics.framework */, - F82E75B218ABDC4E002D596E /* UIKit.framework */, - ); - name = Frameworks; - sourceTree = ""; - }; - F82E75B418ABDC4E002D596E /* Animated GIF Example */ = { - isa = PBXGroup; - children = ( - F82E75BD18ABDC4E002D596E /* AppDelegate.h */, - F82E75BE18ABDC4E002D596E /* AppDelegate.m */, - F82E75C018ABDC4E002D596E /* Images.xcassets */, - F82E75B518ABDC4E002D596E /* Supporting Files */, - ); - path = "Animated GIF Example"; - sourceTree = ""; - }; - F82E75B518ABDC4E002D596E /* Supporting Files */ = { - isa = PBXGroup; - children = ( - F82E75B618ABDC4E002D596E /* Info.plist */, - F82E75B718ABDC4E002D596E /* InfoPlist.strings */, - F82E75BA18ABDC4E002D596E /* main.m */, - F82E75BC18ABDC4E002D596E /* Prefix.pch */, - F862CE2618E1F53800DC750D /* animated.gif */, - ); - name = "Supporting Files"; - sourceTree = ""; - }; - F82E75DD18ABDC57002D596E /* Vendor */ = { - isa = PBXGroup; - children = ( - F83E7E5C18E1FCA900309F89 /* AnimatedGIFImageSerialization */, - ); - name = Vendor; - path = ../WebPImageSerialization; - sourceTree = ""; - }; - F83E7E5C18E1FCA900309F89 /* AnimatedGIFImageSerialization */ = { - isa = PBXGroup; - children = ( - F83E7E5D18E1FCA900309F89 /* AnimatedGIFImageSerialization.h */, - F83E7E5E18E1FCA900309F89 /* AnimatedGIFImageSerialization.m */, - ); - name = AnimatedGIFImageSerialization; - path = ../AnimatedGIFImageSerialization; - sourceTree = ""; - }; -/* End PBXGroup section */ - -/* Begin PBXNativeTarget section */ - F82E75AA18ABDC4E002D596E /* Animated GIF Example */ = { - isa = PBXNativeTarget; - buildConfigurationList = F82E75D718ABDC4E002D596E /* Build configuration list for PBXNativeTarget "Animated GIF Example" */; - buildPhases = ( - F82E75A718ABDC4E002D596E /* Sources */, - F82E75A818ABDC4E002D596E /* Frameworks */, - F82E75A918ABDC4E002D596E /* Resources */, - ); - buildRules = ( - ); - dependencies = ( - ); - name = "Animated GIF Example"; - productName = "WebPImage Example"; - productReference = F82E75AB18ABDC4E002D596E /* Animated GIF.app */; - productType = "com.apple.product-type.application"; - }; -/* End PBXNativeTarget section */ - -/* Begin PBXProject section */ - F82E75A318ABDC4E002D596E /* Project object */ = { - isa = PBXProject; - attributes = { - LastUpgradeCheck = 0510; - ORGANIZATIONNAME = "Mattt Thompson"; - }; - buildConfigurationList = F82E75A618ABDC4E002D596E /* Build configuration list for PBXProject "Animated GIF Example" */; - compatibilityVersion = "Xcode 3.2"; - developmentRegion = English; - hasScannedForEncodings = 0; - knownRegions = ( - en, - ); - mainGroup = F82E75A218ABDC4E002D596E; - productRefGroup = F82E75AC18ABDC4E002D596E /* Products */; - projectDirPath = ""; - projectRoot = ""; - targets = ( - F82E75AA18ABDC4E002D596E /* Animated GIF Example */, - ); - }; -/* End PBXProject section */ - -/* Begin PBXResourcesBuildPhase section */ - F82E75A918ABDC4E002D596E /* Resources */ = { - isa = PBXResourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - F82E75B918ABDC4E002D596E /* InfoPlist.strings in Resources */, - F82E75C118ABDC4E002D596E /* Images.xcassets in Resources */, - F862CE2718E1F53800DC750D /* animated.gif in Resources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; -/* End PBXResourcesBuildPhase section */ - -/* Begin PBXSourcesBuildPhase section */ - F82E75A718ABDC4E002D596E /* Sources */ = { - isa = PBXSourcesBuildPhase; - buildActionMask = 2147483647; - files = ( - F83E7E5F18E1FCA900309F89 /* AnimatedGIFImageSerialization.m in Sources */, - F82E75BF18ABDC4E002D596E /* AppDelegate.m in Sources */, - F82E75BB18ABDC4E002D596E /* main.m in Sources */, - ); - runOnlyForDeploymentPostprocessing = 0; - }; -/* End PBXSourcesBuildPhase section */ - -/* Begin PBXVariantGroup section */ - F82E75B718ABDC4E002D596E /* InfoPlist.strings */ = { - isa = PBXVariantGroup; - children = ( - F82E75B818ABDC4E002D596E /* en */, - ); - name = InfoPlist.strings; - sourceTree = ""; - }; -/* End PBXVariantGroup section */ - -/* Begin XCBuildConfiguration section */ - F82E75D518ABDC4E002D596E /* Debug */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = YES; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libc++"; - CLANG_ENABLE_MODULES = YES; - CLANG_ENABLE_OBJC_ARC = YES; - CLANG_WARN_BOOL_CONVERSION = YES; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - COPY_PHASE_STRIP = NO; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_DYNAMIC_NO_PIC = NO; - GCC_OPTIMIZATION_LEVEL = 0; - GCC_PREPROCESSOR_DEFINITIONS = ( - "DEBUG=1", - "$(inherited)", - ); - GCC_SYMBOLS_PRIVATE_EXTERN = NO; - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; - GCC_WARN_UNDECLARED_SELECTOR = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_FUNCTION = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - IPHONEOS_DEPLOYMENT_TARGET = 5.0; - ONLY_ACTIVE_ARCH = YES; - SDKROOT = iphoneos; - }; - name = Debug; - }; - F82E75D618ABDC4E002D596E /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ALWAYS_SEARCH_USER_PATHS = YES; - CLANG_CXX_LANGUAGE_STANDARD = "gnu++0x"; - CLANG_CXX_LIBRARY = "libc++"; - CLANG_ENABLE_MODULES = YES; - CLANG_ENABLE_OBJC_ARC = YES; - CLANG_WARN_BOOL_CONVERSION = YES; - CLANG_WARN_CONSTANT_CONVERSION = YES; - CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR; - CLANG_WARN_EMPTY_BODY = YES; - CLANG_WARN_ENUM_CONVERSION = YES; - CLANG_WARN_INT_CONVERSION = YES; - CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR; - CLANG_WARN__DUPLICATE_METHOD_MATCH = YES; - "CODE_SIGN_IDENTITY[sdk=iphoneos*]" = "iPhone Developer"; - COPY_PHASE_STRIP = YES; - ENABLE_NS_ASSERTIONS = NO; - GCC_C_LANGUAGE_STANDARD = gnu99; - GCC_WARN_64_TO_32_BIT_CONVERSION = YES; - GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR; - GCC_WARN_UNDECLARED_SELECTOR = YES; - GCC_WARN_UNINITIALIZED_AUTOS = YES; - GCC_WARN_UNUSED_FUNCTION = YES; - GCC_WARN_UNUSED_VARIABLE = YES; - IPHONEOS_DEPLOYMENT_TARGET = 5.0; - SDKROOT = iphoneos; - VALIDATE_PRODUCT = YES; - }; - name = Release; - }; - F82E75D818ABDC4E002D596E /* Debug */ = { - isa = XCBuildConfiguration; - buildSettings = { - ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; - ASSETCATALOG_COMPILER_LAUNCHIMAGE_NAME = LaunchImage; - FRAMEWORK_SEARCH_PATHS = "$(inherited)"; - GCC_PRECOMPILE_PREFIX_HEADER = YES; - GCC_PREFIX_HEADER = "Animated GIF Example/Prefix.pch"; - INFOPLIST_FILE = "$(SRCROOT)/Animated GIF Example/Info.plist"; - IPHONEOS_DEPLOYMENT_TARGET = 6.0; - PRODUCT_NAME = "Animated GIF"; - WRAPPER_EXTENSION = app; - }; - name = Debug; - }; - F82E75D918ABDC4E002D596E /* Release */ = { - isa = XCBuildConfiguration; - buildSettings = { - ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon; - ASSETCATALOG_COMPILER_LAUNCHIMAGE_NAME = LaunchImage; - FRAMEWORK_SEARCH_PATHS = "$(inherited)"; - GCC_PRECOMPILE_PREFIX_HEADER = YES; - GCC_PREFIX_HEADER = "Animated GIF Example/Prefix.pch"; - INFOPLIST_FILE = "$(SRCROOT)/Animated GIF Example/Info.plist"; - IPHONEOS_DEPLOYMENT_TARGET = 6.0; - PRODUCT_NAME = "Animated GIF"; - WRAPPER_EXTENSION = app; - }; - name = Release; - }; -/* End XCBuildConfiguration section */ - -/* Begin XCConfigurationList section */ - F82E75A618ABDC4E002D596E /* Build configuration list for PBXProject "Animated GIF Example" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - F82E75D518ABDC4E002D596E /* Debug */, - F82E75D618ABDC4E002D596E /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; - F82E75D718ABDC4E002D596E /* Build configuration list for PBXNativeTarget "Animated GIF Example" */ = { - isa = XCConfigurationList; - buildConfigurations = ( - F82E75D818ABDC4E002D596E /* Debug */, - F82E75D918ABDC4E002D596E /* Release */, - ); - defaultConfigurationIsVisible = 0; - defaultConfigurationName = Release; - }; -/* End XCConfigurationList section */ - }; - rootObject = F82E75A318ABDC4E002D596E /* Project object */; -} diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.xcworkspace/contents.xcworkspacedata b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.xcworkspace/contents.xcworkspacedata deleted file mode 100755 index 709f15542e13..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example.xcodeproj/project.xcworkspace/contents.xcworkspacedata +++ /dev/null @@ -1,7 +0,0 @@ - - - - - diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.h b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.h deleted file mode 100755 index a1145f022eee..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.h +++ /dev/null @@ -1,29 +0,0 @@ -// AppDelegate.h -// -// Copyright (c) 2014 Mattt Thompson (http://mattt.me/) -// -// Permission is hereby granted, free of charge, to any person obtaining a copy -// of this software and associated documentation files (the "Software"), to deal -// in the Software without restriction, including without limitation the rights -// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -// copies of the Software, and to permit persons to whom the Software is -// furnished to do so, subject to the following conditions: -// -// The above copyright notice and this permission notice shall be included in -// all copies or substantial portions of the Software. -// -// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -// THE SOFTWARE. - -#import - -@interface AppDelegate : UIResponder - -@property (strong, nonatomic) UIWindow *window; - -@end diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.m b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.m deleted file mode 100755 index f91e8aa3b08c..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/AppDelegate.m +++ /dev/null @@ -1,49 +0,0 @@ -// AppDelegate.m -// -// Copyright (c) 2014 Mattt Thompson (http://mattt.me/) -// -// Permission is hereby granted, free of charge, to any person obtaining a copy -// of this software and associated documentation files (the "Software"), to deal -// in the Software without restriction, including without limitation the rights -// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -// copies of the Software, and to permit persons to whom the Software is -// furnished to do so, subject to the following conditions: -// -// The above copyright notice and this permission notice shall be included in -// all copies or substantial portions of the Software. -// -// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -// THE SOFTWARE. - -#import "AppDelegate.h" - -#import "AnimatedGIFImageSerialization.h" - -@implementation AppDelegate - -- (BOOL)application:(__unused UIApplication *)application -didFinishLaunchingWithOptions:(__unused NSDictionary *)launchOptions -{ - self.window = [[UIWindow alloc] initWithFrame:[[UIScreen mainScreen] bounds]]; - - UIViewController *viewController = [[UIViewController alloc] init]; - self.window.rootViewController = viewController; - - UIImageView *imageView = [[UIImageView alloc] initWithFrame:viewController.view.bounds]; - imageView.contentMode = UIViewContentModeCenter; - imageView.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight; - imageView.image = [UIImage imageNamed:@"animated.gif"]; - [viewController.view addSubview:imageView]; - - self.window.backgroundColor = [UIColor whiteColor]; - [self.window makeKeyAndVisible]; - - return YES; -} - -@end diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/AppIcon.appiconset/Contents.json b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/AppIcon.appiconset/Contents.json deleted file mode 100755 index a396706db4ec..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/AppIcon.appiconset/Contents.json +++ /dev/null @@ -1,23 +0,0 @@ -{ - "images" : [ - { - "idiom" : "iphone", - "size" : "29x29", - "scale" : "2x" - }, - { - "idiom" : "iphone", - "size" : "40x40", - "scale" : "2x" - }, - { - "idiom" : "iphone", - "size" : "60x60", - "scale" : "2x" - } - ], - "info" : { - "version" : 1, - "author" : "xcode" - } -} \ No newline at end of file diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/LaunchImage.launchimage/Contents.json b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/LaunchImage.launchimage/Contents.json deleted file mode 100755 index c79ebd3ada13..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Images.xcassets/LaunchImage.launchimage/Contents.json +++ /dev/null @@ -1,23 +0,0 @@ -{ - "images" : [ - { - "orientation" : "portrait", - "idiom" : "iphone", - "extent" : "full-screen", - "minimum-system-version" : "7.0", - "scale" : "2x" - }, - { - "orientation" : "portrait", - "idiom" : "iphone", - "subtype" : "retina4", - "extent" : "full-screen", - "minimum-system-version" : "7.0", - "scale" : "2x" - } - ], - "info" : { - "version" : 1, - "author" : "xcode" - } -} \ No newline at end of file diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Info.plist b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Info.plist deleted file mode 100755 index 25b6a0d0fcfd..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Info.plist +++ /dev/null @@ -1,37 +0,0 @@ - - - - - CFBundleDevelopmentRegion - en - CFBundleDisplayName - ${PRODUCT_NAME} - CFBundleExecutable - ${EXECUTABLE_NAME} - CFBundleIdentifier - com.mattt.${PRODUCT_NAME:rfc1034identifier} - CFBundleInfoDictionaryVersion - 6.0 - CFBundleName - ${PRODUCT_NAME} - CFBundlePackageType - APPL - CFBundleShortVersionString - 1.0 - CFBundleSignature - ???? - CFBundleVersion - 1.0 - LSRequiresIPhoneOS - - UIRequiredDeviceCapabilities - - armv7 - - UISupportedInterfaceOrientations - - UIInterfaceOrientationLandscapeLeft - UIInterfaceOrientationLandscapeRight - - - diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Prefix.pch b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Prefix.pch deleted file mode 100755 index 743435c9bee5..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/Prefix.pch +++ /dev/null @@ -1,16 +0,0 @@ -// -// Prefix header -// -// The contents of this file are implicitly included at the beginning of every source file. -// - -#import - -#ifndef __IPHONE_3_0 -#warning "This project uses features only available in iOS SDK 3.0 and later." -#endif - -#ifdef __OBJC__ - #import - #import -#endif diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/animated.gif b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/Example/Animated GIF Example/animated.gif deleted file mode 100755 index f94e759ff0752ba10e709a9f60bdfff3adeabc08..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 504132 zcmWh!Ra_Ka6Ws!qg{3=}?(ULhsinI+C6y8>ad%m|RzMo08>9sU|4TPgBB_9=fS`aF zpyKEEa9?Jg?r&!9oH=u@zJZ>yipM4J2=D^{urB^Hkmxgjx2@p>7dR@IgtvPo^=>bo ze%k!e6t0(MC42qlrp;bpCd2Da-h56WAD8nQiY`L&G!Q^1ZB54LP4&zK zho$~3v47o|Ei7vt-uic->6wMTnL+f_W|Z<;-tFdSYr>RVJ$Gj~<{rY^K@1Lo<8(Se;ezIvF(W7*$G)rM+o$yE%rmJx6`3R*cJO0fW?WEWw zJ7KzLL&@`(OKAKYI^$|G@7~Q;(nK+j*r@HLyX;{&|1Qov|nuPpqo%nAgZ};AR5K&tEZ^XM?Z@< zh_O;^!8<)GDe|QQ1fcj!BJE!X$PPSC3atISTN|IB5O0|Gx#4kIT{?a;))H?h^WXHh zmnfD&ykVM`W|R;l<+i;651GR)`2v5-NOu<(uc%mASa)q{p&{q5RJ)ZI6AvmkBdbsS zWT1a*-Rc9a)`r%fWE70Hj@o4W{2qN<%e6_7gZ@jNp|=QaOSsDG$cU?C^l%UH?}s-{ zULvnET*lJxfEiR>AI;7LqSo^qi=Om1+v)eFJuD43SoaqBk!SHP%Dm7z(BBM6!K-_g zi?6DfUa&`v<=0^=4tDqd4kkaD_OrV$Ogln6*uSmo>4qEdvC{Tn{?x7I_(tLEdtA@o)pbRolX zEnKD*Zy4D6BX;6%rh)8*lM2rj1VRP?0C@gVnCe)Dr`PNBo{;LF>=`#lc|E*?+Y;f>M1e>)`9?2*vJI<;jzyjR(!wDWFKq-4C) zu0*tx^2{x9ziWRSIkYmH{Wlc%{op9BGTa~i_fng1Hcn#izC;G3K`zeYC*x!%GMzC9YHU?Z$5`N06eUOj&Cpl=}#QiB&zv3%qwjMsSNYIMOMHIMto8Q zl1)E{&KC#uMw=AwG(=|>t1U!lDh7TA0!v~WHa?aG#&?ma#d?38uS^NM`k?eWWOPB{ z)hhYnlZ>z~{rvmI{eIP$4;vrL@7t~jm6y2&d{o+r+E1W{w1ctLH`{|Vrb_!Mqg0hK zZ(;(K299UoE$yFaKUF+K?KZbjE*la%XWNdmX|>zwQn+C@&5I<=45-Nm?|>|)aVJ`< zoqQ;;cGOm5H{%yr+n9l%B5 z9-gd$^YcjbEiV#yVYMIlWs$rMtOe2$J9O_fzHbEtQrNavC_}8>zrC_DI*nMNv@JVP z{UqMt-f3-RBKDdxZB%~!`^E7gt^bTIwHrM1vu|6{OwgQIi7I1e2_~OGZ z0u*nmknrRy{2kVARPf)kD%Y2s;Z}I1xVh@s+^lBVUtLcA{lvGVMt0^yVbj~_!?GuI z@W@U(ZIpgDmeMP@hdGWmg_-Zw4>HX5+9X%J022SC?{rD&&H1~V^GShtVRz6Fls8jq z`PmWy`5z=?Wp575NAmBQ@f@L(kI3D#Bt$eR4}QyAp*81a*|(*qWD6)eL-@Oj0Ovod zAd4xek;)|%zjopx3EbZxumsO^z(%SuA21uk)}=T#Or@Ca&;sHC+LG{){3OC|nFH{K zQzMLZAvQw%0KDr@6iG;k4R;VzGYYCrw-AzeBX$Xa-G*v2*k>mwP?%d7uUU8r)PKh&f~)up`cC;Y{E ztLf9N)zSk!`8wSS5G?|8T9pXd5y1n{2n+~OiIGBsoliV;Vy_=?+$-IPudcD$PP-eOaStuP?|$KTXe-DStQph0_2B8!}NXL-O^ zfn@s*G|_rW^$~Fj$ujKx&7&Z$_~T$z(rm;2qbVKOd7>0@gnJ$V;aMAn)o0}Zeh!$3 z7#?=X!4N33M>ZQN7iUU3ppGdrYCd1a#88?)%3=)aRii3yy!Nb@{-xiIY1cj7; z-LCj=wP+-$Nv{1%X}#vb(d*#PA?=(x;u@bsOv3c6>M^<}>die`_hS~j;%sg!W9{ch z>sCr6f+}HTn`T%TLki%*O)G`NrxAhAAqo40V)~+qEVnB~VE*y4N_UEoaR*smWVh5*f#2@yEVse*(DX0Fa9NJ0SWlTm>c3;#>YGR$uP6VL zHbvK5IFb+VBn+{7Lw81Dgejq*ztab&fbJ)TAL@fLQ?zN*ylSN2E-fEc;T)UC2E_xp zL#8nnhgsy7%PuZAB{>tB?H*?VX@mZzL$TR<@jRf&sWGYrBf4Mw*)MfT>;yNoCHz$x z>6pM)(uIs1JS0`4d4;>5`Cj6k+n3Li zsp|ZM>HaS#tE|(4ePsL)s?^gUvT1|-;OD;zgC@< z_NHs4f_F-8On-=qCY=tjtV)V~7@X35v%wTeggn_2cyh^mFBdKFlvxx-CgnUr5#jen z@bBXD&+fow+EU9%0Z5Z=WMuPugOK-u~>xcRe}_jwoT@ zS$>haS;Pqiaqv-uJe=UkI?r&A$xX*|oei4NZ?*3`}F-*?|DS^guQ9g}g z6n8yyaUVReAw&@qh}4Wc*bnTMDd7o7`Y@=*;k-m}S2gG9aqsunAImsBDEb%f`PQ6J zWO-whil&(>?6~8kE2T70I{%T0G`F<~>W$MzM&`Ubw!bZ?JG^xD8o9~k%CoZJApM@d z!uxalO<9>51uwnq{qnx7g7AwHW?l{;wGiJ$a;VP%bp+uxiC*Ys3msfZ{;Wy4JfcrH zS{P_LD$X{hg=MsNVD^GW-RoTo9QttYVl8NvG`My$Xv-GMs7wjQNkBXyiRSc)&&X4f zqe=kqu!{QvQ8=Ed`}s7KO^XoAMMwxUMF)Z8$s$FxJ3!eF&{vT_x(m=qp`ZfbZxtpe zMSDEYEEF1H{GK@;N+#fePa z_iMOceH*(Od1r|!SZOIJ;Mtu3yX4Jt5(pW&Nl)?*0+!hwLit0=O*UmjiwblWdlM^- z3ZQom_SE&niQMtjRl^A{*E);cgUk3x1t*2AC#xmtc*L*(YiXbl&Ex9|!%t)(^m{aE zdR*)>kcaLNWeX^WGU8H*hZZ95$|&T0;Wh}7{jkeJ)u{!B20ov-rtM9%q6vu~-R-%bgYR}x5%G`#6)udr-zzyL%^DtEZg;)sNDNeCGJT9KcfW; z?=RU0t3}^gP!2{qBrC~KD($J6JdW+Z4T2DP{`;cZX4wj0;oAG7~gPtYrB~lDMe$x+~ALNZRa5m&ZqhW74uH zC$wfnDYr{7#!CNni2loZk*F#mSw^wfb_za4T-aUOWvc>ZMnDk)9x76BkRwS8Opi9m zGH0tbKQ2h|g}9l+Xx%{s0I;^*#`(H7g_Vb32?r%;GVw`gs|aXf<=eC(y_N1P2;K=w z$@LR1j*O{SAcwE_6>s|`l1L|tu|jaF4L4dCio}_clw*hn5t^|JDWS>YUkpd;lS!Kc zQUTNqh@2wB(vz$5QF7{&{_Ha%sYGAtoJ01-Pij^Se3zKLqC&OOSk|f9ypAdFRxOvT zC|@Tu_lh>ZI)XEtas8#0_`wQ0lO}w*D*uyOq0vY9J^kdDLFvd5fa~ZH2^*fGxMFi4 zLChfWge7+q9gVe%zOR}zx=Y5kZf)2I2VF+wd#SuO7h_5e6}E{(+>hHNz^{&-ok7YO zp2GL6^{;0HZchjmDO<%n)`Gc1{$R;JDM`8!ZllxE-c`{Z@fxgzlWVJLn2TzdiPj#V zL0AB}UVC^ErWSI><}zR-u683(i_qSYu7g?GW<*Q-z1JABfE6tUN5Ag!Z@3>7Q{UKM zZ27ZZkD`PW*`P&3sucne3W1nX^qBwZ9^3$@%rvBLf*mOUj?Wu7h|m%Yc{MS-ji#|M z1bns#1hn^FuLC(NvYjaaAzQ$rfoz3}(r^sWvZD0m5w2;b=^9G43+Tgt%1(%FPATcz zC~B5mY~CbqzERF`RyOE208WY$uAxmcGfzhPpAb<`rrwBJ|y`z2#lp?IdBRPJv|4L6Tp3kyX_(AYF@U zJD&~i78<`(56GvRwfF-PTIN|;UQNfy_0X4&j)#jK2&1eIJP2$EkbcR!=L4JbX6=tK zc4@ILelKZA!YvAGUZe%&m13ni8+zU^e(erL9@dkL@ycs*GQ2V@T?C{p_ZlQ`{{Y5bQ zE+nHJ=tt;r*#ZLyFaWW^?K%0VbZ^8i%*Ti<3ezh$*ZXVxrRrQc=Pp2kWlS2HAkzSw zMZj=sRLRe?DNLHz+)0hqm$t6P0R7o!rO=0Gq-_{3t6h?QR#@f0cyT~~VOpbr$<4&* z2G~1pBA|5Qh5vy5E+iaNJ5n&Zy9nD#2nF1@iy>ZCxAMPee{e5c4ohba?VC>L!f1pEieK_>sV)Ta|-)7Ls{RS6nN^*E(t$|gj1t8 zJ_OABr+l?>{6wWx!~`g=F;SJ?uzbCIST?Mfx$>#3TZ?8R`V5>Y81!S;%t&NaSHeB9 zLC@s_*lsN)cjYP9V_&aprAI3f)^OpdQ6V>xd?B(SGb^ZPFx?hK`V#21UuFmU(hxh3 z1~bKLPRW+rr+XKBH7%4?YOlj17URoSN0_B&AJ(8`W|eOjYZ`e{z;}7YP~hRg^{mV} z!u%Wwa#D+Ce$jZNz+}Fpb-r|HqjYDUU47)^Adp>p#3rk!;m?B5;N}A&jZcY0p*eto z2<*-r?d2SO=e{*MO*&fv8wt*yA-^B{t288ev5HXkUrgCjS>MgfpY2Y^F+*cu#3GsP zBAGpahl@Z)CEfRh^-0fWBCaR2^;qmk%0ekaR^nGJIDB?-q6WsQc*huZ?Hrsao9P;EM_e~SwpSHRe(rGsM78((Uu-?TOmPG-F9+_F|qAvJwpB9y6sEu4pBRPUN3%reeS^Y%|_WygLVA-jI^FQjS;yy zAPsfzXb3er1X%ooB;LGnVCSX(=U&;CUIqg2Z0cDE)y>CCzr~kV)YA6bixOqYPGeJ? zeXX!1y3>z_rBMEgyw_jl(FC$e!uWRT5}~|t`?T>%;OIV_`th6PV#(67&qs2ckSeO4 z>Ra<2tPoNJ8U2^L-&^6?=Bt>&NjUu{X1k{qo~apK%3hwz*iKz*mq8Ef_Ezm(syFgx z;U^asl1n*~v1X^n#dO*>u3xp*rmeU?(OIK@kdXkZIDVqnUH88X&us9R)7Bexj@`O_ zPmXeo{%d^BM8;f13z4LPSmSn`e>zuxcLVfy-uTYhTj%%8rDqg(7wqqB2F^kOXFYDs zpaw1=lNl(p=3I_r^sd_IGZWzK+17*D3zD7Rqc@pNW0{l_Lw)P!U)xow&W|ppGRL0H zY(G2Ro+>L-{vyTa2*mDwy=J+rXrfY^+xaDYBq}jrB=zRQpG)}%f2(dvETq0E&lByR zegn`76L7JD#x#q9?*CdKh~XB$5YkC0bblc9dGBp%NXF|nf3Sl|4LX=l!}r(sV19$g zuU=q(LoG}6ixqf6PV&392JSFIo%`hRujFk7>^T);A{@!gaw4FJvt2~qX{!P(N&8u}~{ zp;!011N_8 z+u5e#2?g`4>G1EC8LzF7-Lxpe{89mknX-pRz1;L92ONyi5 zN$%wlLMP$|1FO;oHu$PD`wZx6@@#R-)pr;C$qjRE8H&^v1zyESdP#EtuJAJq zVL9|OfXGAy(HPUPotOhVCU0f70A?hc#pNvIO6KHjbmfBOUzsZN_N=j_-UF|jSHpXq zgPo|9s93NQ&tNa4ad@d0m`XrYp3~?4t9%O*wUh4L-hp%CXs>E;kBtEM`-?yMn%CFi zFDZlO1PX?3K3h>EfhI&0((nRG!cNLLRxk_|u-50Km^@!ZQD|&S>rm?4|`kC)Mj{HQ$&KFL$K$v2=vO?hR&Oq31g#giiCt88Jn30re?IGeg)L zMu)HfwCQOW`dK<5UVVC+#8OP8QcGJu=ul_-mDgdR`Dm9+{u)5eavz-G=~agAHphK0#JSt#Rm-0U~y z>X9S6_5D#c%h@}Q8U*^(yIJ+g6yS@u9k<*G)%|Zku9J2iwGfM(oVSh#yjyZ@drNyR zlWGLmItCu!;1xBi{r>V=7kJN`nrqccpVwPu*5S?<)Xp!ipJVrVna8K%7^|1A&2&Ul!8U3;VVvF{)3Z}$YLH1tFTp<-? zO2N*oKpMU2J;BUC{`?M*3?*1RJ$!MGgZ;A~r#e+(~fJGUUa5yw<>nSy#n*4Rw0H&GjiR?+e=b5y}#& z=cGzDY9?fx5TW<-Lj0e*8RUE9OpHCoxd+>~G%pp)!)8v`4jS=1#=s|&V^zN|#$@9XUSqPRl)$nVG+_n{E z6D|KB-{IJ3%VK}^P zNc?S3u#1Q$q}eIQ^xC(UN#{cGPbX_$nZ}(_k8(411RS=xZuB=FL&&gp&d<%IKJ@5w zN*0zYIb#g1mph+!)F35vJ!S>i*V-9E!aO*4@gh&4%!q+7FAs(eiBaKB)-8J(k{UST z5g4rr%K0OhLm%4CCs>h5?(Y_9Qs^Vs!)GyV)K~Oz?INSJ{gjmb%UD`VUzcdO=lC7Q zOmpq%J!(#ItUP58SQV<2;EI&I<+7Aav3)e)BL_n60bJDFm1vlurgqRK%xM5CuNb=P*_UXj{@t=9TTGnD>F1xE%<0KXpB zlYLGwPlaVI@Z95A)T|@FYgs>^1Gh)&QHo- z6#a~RKp;cwVeeAgx&&vHBpjtFu$))dUD@mVji+zq(^ZR=`I|)0{An}n{JE&d4nuUcJUKU8j?mlcSl5tbAeNcX!q%rsT-d&cR@b-Msa`)+t4k7Yy z`AVm=s$T0mu@jP6lS83y-1`odULc{LS)(Ke-wqU}ntlh03w(Z^b~k0ea`ERlh0{8{ zP4rCWy^&F!1$&8VGcWY6{Unrtd5&rM!_TL$upY{BF>`BUs2EwlI3CV ze2y#U{ncz>-AU2Whu=`9-%viI?LPm|>R7&bf zn!8k+NsAp21r2pq4&-IP`b_D8Fw{VmFif3QuV=AU*GXQT735DKr4miw-6vM^4A(CS zJt(fEGpDfY1JGZ<(9kR-6eGiukTKF0pEJzbtpy@NzZ~-nwdZlmCl9?-%e2J)7n{NE zKO$J1@god1BBHo*W8RCgR$Om*Trz^vLnhoV>9v-wPFjTn)*;4y$sPvM`-g+1)qF?o zR0=v8R8~sMflW%{oXel2Q8PHt5S<5nVm+Hp3`SyF+s_!lI**O1<^1?D>@){oF`Rrl z-$Q6Z{JHK4*T%EX#8-|Pw7f_Ul+C1gB-|`3YD7y&U@;Tdl-hz&OAB+!+=BY`CoeuP za2mhzBFkH6%_rzyH72bd|LaEM;v03st;##f3+26Rstj!twpOnmx>wh&m2X}qy;qOq`kf~a7GIL)0xGIcsq$x zg@Vxr>CMVuUK$KAy4&FLj{PTZBT=R?mly6uKlN)<%3&I{*4JoVsGb}&wS_?&|IF0g zQwI~#AC*Tb)rM{vKGU$&2=5YA8q3P*7PYY_)yy-SqBjL%ujN!dy>pgv8Ymvv6y^{&*PL(1OvQsm&jn?kyDO%G&xdpJ1G?oB< z|C?he5Y)81ay+&W<}~^dzwn6C;I&mE+o9<;{h0dip}2I;ZpYPgd9!?VX67idZ#p>0 zMw#BK^#^iUM8eq7quQ%WF$FD%ulUV8%X`KvcL2uTFgApc< z>6U|CiG~g)#CEX0at7bOcu*)3_cBJc)km-N^TR}B-}A~1F&2XscH>s|E*q7HFe(yM z?;%5Xzfx(8OJ_4EHLwBlgExSF4wNYyS^PE2{Y@v{V5D`;7wgsY41);ru?G~%acUhU zzxnkH%FPcsL#||ES!Lf&H}mG+viR0)q45eXBmQNn_Uu=mS)2_^zu^MMvYvl`r-?4f zJa?pds(*2+P!Z;C#draB>(AFZpP@zJ;qkH#O*eci8$Yl+gjmOpYeA=PqZ)`A1KJ)i z|EU3Z22YQ4Tg149z)vuh^@PabgeMmN?2skl%z_Rr{PfKD-nQ0FSjaL!c>e7AHG)z~ zOL!#aQuy1k!e-4*JilVTDBRl!F0~1eDi+bBNqFs!w{91a4Oq!i;M>NK65ykc9<)Pe zSF$2Rv%DRO5;s2ey!rI%O(=zR$!WD9Cb1~UdZWW2@X+D$*fV3@)uP`Tj3xX*Xftu- zCZxaS@#QrBx!cEF$Ldl6D@Ji@f5YspP21C#rY$UtXMmOyp&t(abq=Kus%_bLFXj-) zg9+Re@u>tB1OZ|Dd`B0$v-qndRY0Vk&j#~fFtRSzm@2Klda<=T1vx377WtTmE`?`2 zV_OND7CH~pzS``6Za#j+E6I zcZWgNBAN=&j60xd>$%CSaTY+rn&n_pXT|VK5Y=)kC%~oA zYJ!JYuXbL{s)(!Xpr5P7PY0!2R@{aPll)V5Wr_T>uv;8t8ywaUcKMI6{7}MVS=>G? z3@_P-Rk!CJ&UHzTwwKZv9I5oPU)mXKeEhbDaq^0>h?h?>61|^+R{m~5&*Bi$;B^<1 z_;7vYF{je4dR>ZWu|dOz~ISVkghdgxdS+@rGwu7BMyMi(Fa= z(^ekemg{#rHzuR>ssF<51&5=^X+I0Pjps--=4AU-1WBJ1dpSW-#FD;Ls5GuMr9SYn z-X5xWG-4pEO|?2|@6CQi+jDw4pR|8mU(f?yEHVXyL@<$5e2jVVQEKsHI~H%*fXQma ztitG`))C-QF|A68{mEN$|`3y%O}cuOUA9+)2&)E zK;Ku!fJ-N$W4gBi(DePFIbI2Enf>$UG$Os0^kMmb#eD)_-Eh;Jt?$ilPGnih6A;K< z2b2ECfq(*fRx&}dfAr`bKXNjKR?nnV$eAE;j@9F)uB1|M^j6Sc?V#+wR88%=fod#F z8aHK1f42-b!Wc&HBQMZhCE4}K<^y}7v7IdldR16atXSkGN4+eq^w9JTRm#*Y02Mc* zcGbv~PgGJ^wd?5)&TAc{LGwjl>dV)KqtZGM0suPy0Fs0zx&I{jL=vD;47Nch8QB)p zaJ{TF3Fx-`rlrmt_)mc-6w*wU*bVbx%dL5GDRZOY<61vfV>}~l#FDi4^5($N4F3rJ zAJ9ZvA3Q!hV7izucAkDn8i}j`b?(mZcPUlxilmwcz3c*wgi?&37qje@Or_#~4wHs} zji&JochXRgR8?=xDfB-{z%B>yO%_x+q||w7`y;t6P~)I-5WS`335<&0JvesZBlo!T zN#`)kei;Eot>}agex-0~*hh!%hy_z-M2G)4p7ih%xlS9A4Ho(9cxMBX=|;P7i`mqd z_6UXX5|;+a45BgE#C%)rQ;j6!*9jL%5u(r-qo)z)YyJ|8WD@RQ1b$-N*Dr4i9~6FT z&&&ha`yCi1-7}^di$H#R`uA=FR~GQ;v6(Hieg^+rY}rS4*%zwsEvsG*%_uv~Y&zlI zQ`{E6AYWuTIwKK;g6xx@M3D3ACCdP`k=>yUJ-m*Qb--hayB|It(prR0gV>8DrHvV=-W-B5aY z4dxs6W-z@OkN%u|`L!Gr@qtA7pCYM}x~_Qk&`AH<=ru^v9`u(C zD(To~-8kZ7AT8-6P01onHd^|RSVUV0%&<*lu*|!s*PmCXXY*=$(z7m8>hsw`?T453 zwGfPzE&U;Tt%AL!DuEXfmGmV_caMKIS`{=1TUMv$%la7d&?Yui3M;1=4o}+%QI&?A z-pnxCz2?)x?TV^>KY^Q|*F-Vix{;Mu zx0WBJN5|d>fzOWJxi74D?kyd~!di6LJMufeeb{AUKD)BGeS2};fx-#h@?lh^M$H(F zt#*=e<7paIi0xCO-y*jLb;tz-B%_Bl-oq~s+uj%#c|r^z{B9Y-!mpG;cuU$BQT-vq z={P7OqUbQcf=wk1*jv=)(}q>KhJP=i*!}w-BE5m2&qcyQlLRD%&}y^5Re$a#2;oCP ziS(9HJc;Zam3yS@rHed#?D#1tpXa4HFCWJx06+%l`^lRj6S=#eAs)5}l)ot~lrE>` zk2@ciCUuuvko}8{@YV*?gi$g(n^%(MncwM1F0fNw&NS?o^GhwnGC*!t$ zMBs;e03PXB%6Cxeart{EDTK|aSgP`QSm%_lou$&U zQH^|!=0-LHt5)VJB#(t{4Hy}1T~lMmXx$&(J9h9Ssl*9l+sDg6pP`*wJSENF2!gQGhtfm`j4K8hR32B2bZSC^mErWEN*_hkUX}~W7J`&iPYkTbR`xCnL=jiA9&_1lyScgRx$|pq(7{9uuZ>WoO;onYpOs} zyJC`NCYo2H%jsiXSL%5z^1&WkY-4YlLXuDKT~r%DJt~q%t9dYct2lGRoYb7F*&N5 zk=sZLHcGcuY&D~&K9oI?yi~8|p>ePYoCnVzR+%Ub+%vFQ9?ct!6hItmlU^^9G2cSs zMLH#d1FCtq-Y`8&k>BHHg{GEYFbKUk^1rKaUSbGQNV|o^g`^yl@6-JdelmA1sHFw7 z;7?|-kk<_>8gaJn9bsHZJr=7KeSA1mC2HG$1H1P_8q2u$sK8($F=s1kj0^CUIRpMB za%u}K-25027(5}1SD8GwR2jTmaUn~X-r?#4V(+N?g1qeK1CUy6{;Qv;)!YjP0<=p$ z@zg6G$i2OuQ7Da}T~S#9uCpI1CGzy~YGBt*?=$2BppY}rfffkPODs1nOq9u}TvDyT)tpZ;s!&?W zy7Q!R$>M3iQ@WB=bYzl@GKNk+H}eaH6Xa9;gYCzFjCL4sp6wp}aQiS*Eg{jBztYTe z6^-7fr3$QhSI4`-Zh8c1h!rN@K=_Fu{?DNea^E3B*)dIfyM+ujI!z)*A~RN1AVxD2 z0WmusZyo~y)y|ZA;?ZZAW@rU~WYC9`n}St9+c)ce&^xx`15%%i0v0GubM$-(rRbA; zgO+t+pqQPx9)`8dJ9(az_lZ8=)&T4~6_e0e1Li?ODo2zHuiIrHa=15b{k!P;qCD=v%eg!Yc zLCa^3=B<{&>8g7zX(cFDR{`DWRri;KHxIGu-n%UN7nQm)O(YDIIu!kjU~t1hkM^N< zkjdZ|t$d84c)r$uH?}pNjA4&z6m$<*S=XJ)=i03*ayo`l3feqxJgvp!hBH|$7&sXp zE2B-mW#z_{TCHjUHSaJIiq%4S`okbXyQmh4J2FQLhUEM-$X0?mQt2RvxoVht z)3X?s5n0l_%#Jlr(u5iEgKx4$B0)kL4y_-wkoli581|~O^;dX6_sm8?B;jk@g~u0a z?{a1t?R1Wv#pbTTXsUa4(Is??ilD^(towtxm|)V7UNnuF#k9dRV7Gqpo64mNzp^vf z(1qtVch_5*Eq)5N%hmEju|-wv7(@q%VD z$IFfp3M^EoDA9oIjNGbg<9T`iq7q(HK3qi)X@76s=EEfd=Zxv#M)JeK>N?HLZM&k|&%$;?&bB7okGX2>$18uOeH>#;QtwWi2z+3q^dX%4_s^&t_|z-6K93oHh2QrV za8V*A(S@mAgKXJRW9JaL_Y+feAfWwx{uk-614=Aa{M7unUb3eVOTXhz*>Unv{h$<9 z*`rzR2r{~s*-{bxG9E32Gx5n4HROa;hQn=2cjcz(9&8)I`4 z1vXNDP7MpkT8HBBRL%&K0!k|D%~s9~n)!yEDR`-)QiCJ=11x8u-7BJ_WQalRt70Z) z+5!$7rLqP64B%<7!M=nm)dBKdGzfeEf^q1unsXUdA|($nx~=4-kWtxES3OL*zOfUV zr4!r!Jo+TleAva}ffLm<=c`Hjg>#~FR z6Tvx_<93^tpDYhg$X0?!zX>?IbG+<=P;^Kac|$2Yv>dL67sgp_^F;I}$94O5bAC6n zhB}W>O;Ox&21zpM{~gl1rqK^(*bO~Q0_;yP=Ya%Twk7icobHp3$dQ{T!MP(y90?m% zOb4mlG3hmy9H+cfxseRLVNxT(Ak1B`&V-rLM3^CzVrFh`-IzQzMf1-JC0pha079>xn>yCScfP-Xb8JFQ;?Y4GprHCpI zRwkb~aECZ)t^liN_wu;SHpHG|VkvFBlDn-XN70=1Y2VG0fNd>kN+}(NNs4xon*k?r zGaP&{0TR`hI_CY=O+D1k`iI1qC(2AV2N20H!z^v=6{Wvu!gtHNqO6Fh8V6RP*}e?T zP+HTU!dEL(y?({YympVEAyQBqj8=PNtUgj5VN6^o& zJhP5^1@x9tlD6`q0c)abZzGq*o;SBW*0KX=TIP!8$gt232h zOG(f4_w0?x{Uc-EEEBp(zpCNWNj?Cndx+)Ljf{~G5_A3Ft!SdKM}?=;nxS*u{y26* zb!z#S%}cLw&wk^C!9@;1d42K|4D%f8cjAP6P4=Bd=j$_GIRXEnxl+kDNmq-ka&MeP z{62UE9BLY8TfCq{72!i(>ZZ&ZBWR5_ zm&`-2O#Zz4?*YJV=iv$}Da38v4Puz=?Qq50`VTVqv}o562R!Cj_yOjffshu%SV7!v z))1f^;ect1C}fT0Y}aiflP zhuysmtt|~sf<`W?6Te;wQ$!Teb(4DbvI?GHa`!2&FFk`&@~=7czeh3M0f=xS$b2@7 zqIEEe2SpIJSJ~c;q{T!pb)0j^+=G+~|M+*#_-gVdN>UQ7*#P$$o9imD;n&1d)r;uFO z&ZffB(jW!x1$}Q#Ku| z+A!=7<<|6KL*{1s8K2+*2IQ`l-EDz@h{i|Qw@+Hehht>`aUFN_ht9lAkF_uoA$JDqvIV06#T_V~6O3$a z+fh07bx`P>fi_P_GP!jfhz7(X4`$NAlsy2(BGcl$*mI~sI{5L1# z0d{JPU+g*V{`+`Y;yLvi>oVWxKP8Kza4DGjEcmVbBy!JP;Hww>3PZ~<(p2Uwf<_fn zV%{79^chRulC#HFYBL7hjspho-#aD~#@D3n{h`B&MUDJR7I1{YUt2EP(oB@!w9pue z35~juO2Nn7YKQzMBqtXx`#QCJwT87Ofp+`gS?goczd}{*r)Iqp+iC44m&b^ze=GN@ z_N2$>J?n3p#;qN(P6z7`wv*!t9|RY&2m*SFG)cbRdWzyk9wDE)lLF~R1)Oaq4~n__ zJ&nAAz`ysFzeQmfx&1>k+QLFQiu)(7IQ-}KDCm#?;385ws4qQ_+AdfLt%(^bxywR(sSgeI<3++#cLH=Wv{H_U7zeXU}9MB%P7$%#2ibXRqv))Y&6^B?(Dq3l&0=%1V?9 zEiL{0{(1lX{_Fkzyg$#!^YH=!D*c5*1C;Y1m00M-x3g{a z4O0K*_?I@NA+pq+>fSuR^PTqcSbLGp)XMI(Y?D`>u-%rhcg?OGBn8eyHs?{%kmEO9 ziW6_dY;JE-kDP(%c|gd7p2}+KPVB7+iCz5h58+3RPYdnJ>ZJhoT*{AZl+^qlY}13X zJYp_}$E;U#^A*h;9!AbT9W3x2AvB<3Z)Ee=SYzQ);~t^l z$1Gc&0#X0zotc*qYHBs>Yv3GtuO$!sRR(%~$LTNBUgw0wc)I=Nb~T!XfO zxQxc{yRd$gX>G+FvlBC&Qjh;gojr5@cSW(dT4^*6$0)V#inIrjatBSQYH0 z{@6KoEEa%-LGG2P;Wnu?eSr-v*&XJG>Y_z@3?_9pO@^edE~>ul03 zd2T}w?D5Qe$Spbo5+G=j$xred@;?ao8pVsc zB@1~=PUYrAiIW+=>)>q1S~5E+uAeub!`vE1rwv1sg4R3BUe2=^x>aU*S_{%->a#i~ zU*i~0l6))Kr7=a9+x!FSzcbpw`+9uaDI#9lHE4wt?rLY?H5gzs20eNrw&siO-!nmU zUjpraBe{m9l1hKcvb}w0VU{9$IyfyF014mx3QRW(RMZRU8eDAeXYUT=kMoi8JBJnrls$EVcCYClN4&cB<=x6at<6c{ z-xuD!Xi4TeZ{Dl9Xa37|OI<#k%o{wG8l(E=TIR2Xjr;7*n-32-&j0%{@s#v$R&I(7 z;i{nt!Q}kgQsH7z11Pj)^V9%GP8hg^bC5#ik)%3PK?;Nh*0m6OTL-fUXjh7G)WXWf zwZQMRcY@TgNp76r!^RPdkdEDOrkG4aouz1=?Tn>lYC_F53#ja#CHbxu4Xh0nmrY9i zL)@qg5MugQrql>TR_9n#9*Mae`L)KSQd4On7_eNEh?V%HIFx4ifaqOQNd8$RRpu!# z1?KT!tk>Cs)2NIa?PBjLD#1ARjEzG_hhyChG`R`P$+C8C@AhFnXX^OMNn%`B0EedABIc};QFqy>^rLJx#zsmn-D&HHT{R= z;VtpS74^->_;2o{uM7#NW#6fWj;*GuB~B&E?vQ0>InUXRNXa`16g7C`QY1F*V!T%>l&0JHG{~Q0 zFSy;BSi%p@`|e9F3vlCjKcR8>7i_ z7#u=j-;_dUD;sXtX>W+rK&d9l(92+Md=@ME2G5N{t%Kh0q52`Ri?D=jgdsmJ53K=j z2X^a|WP|+=&|a=;pl(Wvg43uD-?|!UBiB!FdlRcLgycBue@=L2=qXdWBNWLNGS?O4 zA=zh7=p4&@zHBbkWOP@jW6;9sk9i*btCOg%RhE~8&kK=VWJIn+mZkM65@JTng%Wg? zOLc&t46-~b2uk9oFivvEffTbeld>e)ZqwIX!kdeLS7a*LD9O??OAK9noeI`US1iv3 zz?}=}yb0jKV!mO%WWx-lw3(ieX2%OG`8kD1iwWm$`H~{u!ImXsevi4@xcIH$FDXCy zH-Ek@Esce&5q+2!gSkkJJBYJGVn_BIjJP<*vaq&mXwB#XoGu`P``Vu@Z%KoG8vt=1 zH0_`S?7cYR$FjmEx|u7zPV|22GT#wKR?4d{G{TZ=G^L^9Gj5WxA$D9xi-PM3EuaWd&WM`G~BTFA1s%EKtjVP!w+YQ|>OzB5+ zxq^>b?+;4-I!wmL=b*V{Zv3-rmRD+u9`QB+?l%)$V76r7283Hu90$^#ox||3j5c~I z0dRscPnG(f$mOcS8Y18Akj`QGiaoiPMq2HsQ6gt!?&*7s1S$oCsHgT0^7+r8?}&- zQ&1^#>uCb9=S(n{f7OAoJ;T2g8Ot7|qUFOTMP{dS#7k3&dn+h(m?KNfA)VJ#{F!&* z%K2bop!4rAO;ZCO`G7S+!zOsf36EI`In8Vvh=lzMofO4aV$jeJj!WZTeN>1>la_WL z3Wl%0MH|TH8E~tE5|+ngRN6^)-x;W1VGQo2erfIoK$6q!;G_+l2L3>&YLn^Egj}-B zRd8?(lS$AjhuluTbo%;<MoULm%-S6@u~nZ)V(iT?4>KPonO z93_=8@H6&))oSYs=L1zN=zP?x_nmIZf(c*<9Wa&S76fJZeXhoyufiEUHKsO9SEpC)HtWUnASGliq* ze4j!uH_$tS={%;#gckY{1`-Gz22U`VzXL!@=gfuC3C@@^O+Yu@i_@(IT}<;#W6kf? z(wF+-H&%GM$dGFiUb2?G#EmcLx|@A#`jj*-{t?c$M65E^@Hz&cOZI6VJTfGa?0f!u z+sE(Xfj^)_4`&%aaFW$2Is4cH+gA&Z{qoQMBxk+u1i`%C*EZyk=IfU|ph4|MB2fS= zVO_ADu?)vPMt%|;I!?+MTJG}$JExkZB{fP@NnKvDZP0^HY%b}6kg0X9uPIRSN*=*V z==ye3FHKNX4%|#bd#p@Lzl-Dy`?!=L)8i$47zO@XjwCQ(gk=s+GbvlzggKQvRvF^6 z8u?2eWDb2iW(4KP+!6%PwrwCz8(2lv?YbwhyQ{F1W+y}(;pcLd7Qu0$IK-9Vsfb)k zT7Ytb{YP;s^5ODF%DCG#uTw)SpXfA>01oX4F;WyD+%c@qvghic?hRRCYH!htS(;4% z5toB>0f_Ein1gUC{{l`Y$_tey!LJ5z{odia58)z7_wJ(-jk$UYAG7AGzr7yRB|01x zRK*{ys|-Eg_dWB6NVM4+ zBH8HI>=(W7IojAzahA}J&yP&+ka`%T+jQs>jS~t3&+IDSo6N701hs-Ty8{%ea|k9=aDS z34diC*PZ1^-!Y?)v(Q=n_pu{f+0(8jVZ0o@NnDK5E(TIo3Bi{YjYKUeQ#F@TK_c#8fucpwu5l(Vx;dZK8{x6 ze`1l}0dVtEN~7;EN+j1pHjNE$v%rK@9%VA_ z^%G8j3bO`LpCN=@_N4Cu*MEJHj$~X}fL$s+q29sb90&G_mw6V$V6T%o==j~5Ae}TS ze{O^kuMxi@7a|Mv!c=A9wdU895dBpX1FZ%R07m|wr>MX4t|ZuR1dP*tt) z6Ha&{)0e}4Qt_{cjO{4F3eQ%1)Rt!e07_J-e= zX7^8PRg;MKgmGdR;RxcG%&3&P6Np7d6F}$`=%gAV0?+=>+}C`JA&ZO%Nw0d$q7}W) zDynLQ3FIpVH|l?}6@L!i9-_H~Pq~DAn?g%SMBjz5K&r3N7k^P**CK^7=mK>1HGeO+ zF9mMr)v)uaTESFAM;J$>m}e7>qdQDy%?jT@g&(1Mj7DRg&h0I+_XrG3{A1H@6VGp3 z&(R~a5g)I%8P2bB-fe(s&BvSTYd-!tm7i>0iZ_{aea9z%uA&6;Jbi2=3jh&FAYm58 zEbO16L5g$mNI->`R{OmjG+wE4GS9j^>R`y6Z>UaVkgZ}<0S7PiYdvR>)N*z1R$6?& zr#h|TG@>!m#2~ps(F7yM6)N}QEJSVPT+yv&G6h+!LA+j^UC1lD{9ve@40+iB&k}rH84|(>;SLHh`?h5{=e%{{ zgxg%`x8m5v)ppm0e%v@5?KZEq@27Iil=w5cIvjIgA}xV zF~|)WPY=v>ET}tnjc5H4{BpmMgvJ@gSy?X=Za*5Q6#Ga!e!*0Q>yAl`gzSR-d4q)K zEF>j1kIGXQ;zLdG30A@99XzK=1jdzXr;Ld0FXH{s!9p{SEeyFWm1+=vjh2b#|Kw@1 zcDu4qPVzpB8C(Tmi{f z8@Yo9FA`9Kv0~)?5FO=l7vz&@RDRw80lP^Lu_j>pO%7Vg;Y<&8m=n9F{=t*iMPWw#(pJf& zQ&^0BJUB6)<&|MFqlpP5h60&i=={OUxDGN_EzwQ%JcrjY#Q4IMReF~CV9l8pRAhe- z5`^UfG1iIE2e+s_fi1>C*ko*Uv#;H$Dfd zh-t8OWZAObe8A;0|NCB-Pk$duP_@kykY$E9UQHq;07)}G{|GFcHI*lU&;RHuJ`2Fh z619IowS1g}A5FIq>s##0g)XtU3_y@q8GzODV}i^Ck`AA*1ij}DzPoanfd%*F!HolS z!}n$X2sj%Sk@a@jWzZD5(Ri2U(7ZyzSk#fm*b-99)h~Fe$v*4|pN;n~1A*#9J+v+2&*?sbEN=nl&m3NzMBI3n{ z;!V0+Vvzk8HWd1_O*ea5CrVT*q_MufZ*;PX?-*S&o~&z*vf2GnQZdOx^}p%v31 zV2BVcO(zZY^Q1_F6qDhLUpWi_JHv~DIoAQVRdD-c%ZT+|o}EO6k-Q~&L;}rba62+< z`7!4sZ4_DfaevUe?t7O6!2Uo4n8q2{CDT+XG<$(_e*W==F4^m=kEH?mBv{32_r_P z|5%?#oNoKv_5aVvRw#-k%yKr5Dl54p@HTgBjn&ygrdt+!H%faFt9{%4^CG{ZX{%mD zh%?2Q7bJ(aC&b=qs_TG2Q(8_uk3VRI44dI*@ehVE?C>3IWs4@*~ z&?fqjk$z!6gyUA*2pP7bm?j$JoYbH&wEBKeu|#rj=D+e-9r`nse3u^s={IHK@k*`@ z78%EAU>B9SH69_M=Wtgaj?vVJlfR@J*_|nu)PX3D3%@jUj80iXG`uH-r*N3NEL6cO zj)^&pHE>V>28XofwSsruS(0>L*IO-BEHi{&9Vah#rW`4#lgT~uE)qDmS@$o}md>B*Th@KWRuwnW39?ztJAf^j+bW9t|D&&c|L-jU zk~9*-bh5j9;-Hx>PBVgbd!OZ?ifDPbvnu&DEnnKzeF^Ym- zjB9qqP8W~B1-0S(NHsc3Ic^{c#l*kOqsX}T1b45P+Ln<57nj(Zb*0y`9Mic6L9(fp zfDS>^oj{+du_*^{vN|BM^^Ua>x#$oJ(GY&i-hS{Sh=%$yJ9@>;3=T1rjRN9snQ`QH zb<^#qzkFBXB|*M!u9&7dVXx@EcHSEb<Xz=E#-2 z?jJNiP-K@XsJRtYXH|ktUDS9V+w67ka>(N>fdf5PLMbtMIE~w+GQwwYgQ=l4qkL8W z=%*^(z0HN*xXjBBdbHQ)A2j~H{OY$3dac)ioO6)Cg*IHgf910X=Gu3Q_xCu#V3ZWt zGFR4~%7zj#3v4ZTpA$wu{r2E7tru+t7&LyS3WCPIZ$oGcWIQ{jeI!e5NUDU>0h}&X ztYexX--GXm@;Ix5bk&~7(t&m7!DE_lsg+0$!*;qAYKBui8*g36wnj+_8c|_T11mZ& zzpD`y%B}O$7v_EeDFqU~jM^x`xpFTNeW+k7D9+U08rqpfoif6OJ;NA#dXUqUxT$K> znlDS8$mSbRR-SGrQP2?prKrPKU5Pw z39mpe$p|q#fe z=Qr2vkBW+WR?#yTot+M{v)BC%A4$&jI%XRhv{SV>^kr`+N?D1N`J%3Puz+G$zwX+l zSI$!y(CYrONkQxzVZT%tBEu|4xnxEfiiT2fga~OU2(#~jV-qjhIcGC6F8e)URfy{O zSBYjj&sfRL@ekQh=1iZ}w)!jv*jE+D6B=u;y`ObF(JepM^xp;Gn3&6yHB-SgL2SNt z8L)@8YpvrEyhC_W$!X`M;pbnXE1y+rp*f9OxL&1w8Pm_%UU{N_cbPJ9?=DR%k<=q= z{0|vs;IJ6@`O~RWy>}lUp4(#zBH-Z?^DNBnSvzx4&t%l8XQB0N|SeGKlKs2a&hXjbdL7 zqKp~g@^NT?29|(SQoYzUBC5uw5PPU)lv5aP=8sx&|dTG1q&ner>d%^hV3Wv z!d*sUwp0ZP;2j5pKGJ&OL=tL&4cDDAQC_NoU9#j-p1YrUCW4KU5B}`WOQ(vaP+$i< zQ6{AA{Soc&#l(n7;B zCiCtHC$gFaQ`!`IZz-e48G?=OtgiS(8#N%^@{d3K+Rg=0eM#9lJl69Njak!_pW%4= z0S~L}V;J?beU`UiAx7BuP`XHE=*SaNg9#z^+p+nmnyyYfF`&WJa0cdYj|mCO6Y?B% z&mQv6f&WPhHv2V*&DF@p`$k(GW3F9UYN(ZU>qkq=-g5g*b>YdKL;Guj=$9iwicmHN z-334wok5ZWJep_9JcaNm*ZkKgBDcfWT!*<}q6wfo?Fp9BG{nq7S!+Q>$5R_u??#9B zN!;bDis#O1%e!oRD(cC6s~8}lps+9i{TJ-BHx9-^Ono?XiHDE?MX`IyEPn3Gg!~%NUt&^qJN!ReJV;ozmA= zgX;}6@4w_u?&zMVxaF#8pJ&6>im7sy3Ye4>n=K+sasI>%I z?`tLay=K3m5U78NoXbMoB1hwkDZh`rs~lx)UY7Y)u~)j2Bx`Wo9J6HnGa>2-N8eLv z|FN4gZ*dX|r-Qk8s}ngsD0X2pAWG}p8Wr;JgFJi5UEY(yW(t=XaO>#zS>BRB^8;f* zoh)(U()GE@&X0D0w}MDzM{Vf7d5exgqfq5gZD?~f$%P4k`ocg8w^1k%o#)J5Zoec- zzP;aw5KA5f8&T7`&Cj@VUBc$v_>E5ml)Q8s)1P{FW%#0_peX+nR-48popQauE2>&> zbUy|1Oq;O9m$U%LQlKC*_EDxtO+5lmp`*jclI^-x&tCajDe%~zPv+nt#zlJ#bEA|R zWwD$B_f>xWGHkFlPPjaF(P^(*;BoJs0QHsReJ)O+Vc9U`$FPoPocHpyBEL6=q#k>h zh|j)?{1-F;oQq2SXr!Hh^H77|lY}4q+E< zO=|}${4qFt#sAu_E7XGwt;@&JD3u5(j<_7r$}v{lwy*NE@j7jmO=z0cYHh$?iH zEAzG%UXZIN=rha-jaAW7NSidcLMGpZ@UvjcWsv+bxDAGlqkt|t*jhuOdSw3dl>xD0 zG49J`)nRPh8f2;va)W-MQu>%jE{5KZTHV2xgJjfqkguKtJT#63fV%cJsHk2r4?$Yw zjqCCfyk>!ro{D==2^>uEky>{>Ybr?#Bb26l@hknp-0H@XL#lwE1M#lIJHLxN;ZVb6 z=*NvvjrEIc8S>W=lec73s&9hYusUG|+n+3ER$zHN0wf)A8FkLg1cyxPxTK|qQd0xD z7XWLc5;1IWv#X?;rn3|cs$3wo2Pgk!IG(A^Oc;;}IP1dC_T(pL4aS0^C@@Kuw4e0J zG=4yXZu!)bZk{W{y#hJ;B{FoLo^@8XWY$$o6?BaNk?}gWmc}^tE~-R4x_XSauoIWW9FGA`UptQu%5eUvQH84NSdNsq*%l zV9n@p|9#Q}ZsgQFS6D1H+|qu6TX-^DD6-W4_gn~f0aVCWc+KAUVw&+gE!w+z zNt;l0hN#Gt+8-mSOxXl}F;nHc=hf%1FWA5)JE1EYV`nNe6C-Z8kv4O85>od`8oHsRau4$Hao?k~ zruACCFr4|B;<3?gG0dK4`gfvuzauaB7Ukp?BkrpmW?L67Qeh+kF}++4cbuU+Me(K| zgvwF^TL71EdE;ufym6f8^Ef2)SnMI(nI$J9Gq|)Ra=(@^P?<7y zk|xWrDBzkCwf00{?Me6AN`YEOYeb=L*+9RAxjiylATr1ibPzC;Rd&cJu}bf3!jj2I z9K+<~7nzVw?ie&|qfJ)ywyb3d;z7W<`Zat3{!sg>SFRS_py7Y-nYGQXb<(_kv$)ND zpPWpIieC*1YDg@WhS2km31K95-L(z2fXM<#;;NYI4xA|#)AIgQEH}S98`c#ao3RX6 zpNfUe+)SfV^JI?aKhN)ns|@jxfTrW2u_=8ZA@ojg<&@p1U|~e55LeuGPg(hDd1xb>(X7dV`gbzPmPW{fV5*EMQ}q^sG!FAATxs2N^Erq+9E?n$91d zn^^lEOEm=!cHl|%#L7;-?l8_s3s@@UX7>&fkAqz#!JJ&lT|JmiGW7I9q~=slV#7t5%Bnvr zYSHUe13$b}zO|}HS6kIwFf)XhD=ng5b-tZ+Igwx9u@37);Uq`$Jyv->CWahGrmNzf$JB9rE-1KEk z@2G-=tAy6kfs9fzMxXT{^>CO?(BV4f-Sc2UzivstZdf8R*B)sJTst-1=d=UMPKHWT z9*zc;8{E$>A}}=D%O$7F>wQFtu5yEN(FuOmANF}nraLnA{3W~CdDeG3pcR;%hzFnm zzUIb-WdKCxe?gY`yo@#GK`f)7;bgHkX{;+1sf%+85{uDlgN5CP@s}MbHyWf{9lba1 zT1!JDPYilks!-gH*ER^4$73C(Nm+svJXN$Cc}%?p(p=To|+uq z@#-N_4nz})j-NI}wbqOLCeyO_y^ISb=IpD3CxKO*lkQxx4#Esg1zW3?#&Fi0pmTY;Cj(rqPlv#-pMV=y`ikOV{6kbLs0(SB*E_1M4L13 zq#G~)AN{E<__?ObgOhj9dcj}YLmrUDDD9XWvPPY}hQYI9X?xW5!>!g2C>YoVF_hj7 z2qauYXxbj_d=Jl_Z?PVIBZ(WH1n(hh!Qxx1f=JF9T7|cPtEY@e#2ZYvYfU6 zq+Z>ZZGj%5oeK4rR3d8N;u7$x8t*}RCKPF%U_W1SsDCXMHkA0sXJUjBZ*1hRX z+i-oB(y(Gq{<5@rXR za*&puhY=J`I#vov`bZA33Y)f=kp^czW24QadS6Mr)@;Z0#P_;FPU{!i`A`uv%dhPW z9~?J)1O4>+N5~t;rdp>klqXs9p0Z}8)dy#5aL`^vNX-MMW8g9>7#=(KhFo4$=yy+- ztSJsCgXg6fdR{ma0oVEVNuKuL>n<@9T?R~v8}i{F*>|EKgHs6hBKYVW-TLV=gZ9Z|@+H`hyqs55UMPi0hRv_P5})Tqykg ztq+`wC$4sRAI<`zO8J7dEq4Ix?V%aI!XWI+4y9p!_u)mocfFV%=btZ6O&W8+M^w4t zSCpq!Or{Hbu~%kBKTnl()ox~qB%RqsYRGRrH?)wXZS`H8v0g?f{PkAGON<1O-_o!l zKRxW*Fx5|9?>x2;IQ3@cK4e$v&C!pw<_{jI+hkpBlvdQwJOKSTSb;g&qs^x*6;EZ4 z9c-nZb$#h?^+cJmykNEJ@5XLiNpN9zcuaJ1x<6{PZfKu~IKBGzHR2sx)c@^j1P$}) z)2E$K1Zr7a{X$#Lj(B`GB60}(GX=}-sL|bqn3YOK9X!q8;3_>b0NyIJ`&R;n3$g~# zLk3GJzwu9Z_mp>nF#~s4m!?EdvxcO&UKZKxIs6e?n+ka)t;$vV^2RMfui-^FUk~X7 zk0Gtc(4I$}mq(QaW=!=kLPzx9jIKY>{MLscs+kHZb-vi)ouhIeTQ_}LqKyV{=Kmjq zG_`D$*qlpk0E|xEMRDIlE%=4L91eNznU~leGSCUfT-av$3?Wf?=@YHKaeI;|y{O*F zn#7s)WR5d^RCLnNyW=e0TvL0x6c`FaD|2Q~eU-(ZbW#)OCd<;nJWvtOjxHtYFhF<+ zN8%i)Ztb9+brjFWSh_^`@yXizUV|R@58^&%ytr?~DWS?34qIlYai{ht@kRn|MC#gT zo)iy!s(dZEtNF4M_8K{DSrI8ITAKf)0?oPbj7zsVD z^(JR&i}pkL(5+&QkOwBIe)f|=_n zq?6{1zw6Efgja+}icJ>Q-y7-IxO9A;6P0&qn^{xIG+y$@cab z@m4crOkBc6{V{rHFe!xkVK4)2tskNp2ufgIjTG+*VJ?n|olD6S|Fw~4(HA!=OlS|U z_J}kQ?APTRp?$)>Z-^Ys7U-B(PBK%Yj0l_?ql_HgMQiOZf1A;DUHLkbK5CdUeCu=H zAMs_CvaijmK0a3uT2$MN;3gv@<$#PvnJ-#(sBI8qQMf(G?WL8K$K$ZXPRC4@Dsb}B zzLwDiWa!|G+_XN`nuzbT(b2{BMrmyLg1|8Eo7QQsoS=>uiRCgT<#;g{ikM|OJ_T7* z7)suZ=u{aV+7t{Gj7=@qkjag#uOLrftf$7#oci1c+4^mF-P5u0$x&Wphg_ZbrZm_@ zf?6mmA%=XMhO~|&fRWY=Hu9u(Wrm_<`|9`VOu_x}XLAq4d0POx#}X-BO#ivLlV`I} zsPu*LPR@Jq*i5R@F4ii#J`yzHQ$KvRd%b`o?O9wrRmpztf&HqGyC1)_RTBg|+$_qM znqK&&98{9VkW6>K*i<3mTjABk7O&+HOCMfGC&FU?OT?zSM-B3^N{7LGbl_YK8;qm^ z#H{HGrkjuNZkh#Sm0RRz&8XpO`e+;{pNPc5D0G&``ihPpJR5~H52ELXR`k>OjeG3(y%IwK$0+|o`P2Q9QIjl?sm+_|@x1I?m5HQd6Xrs#-&6dy zSF}$)8`18VE)NAl&=3Kzf;Brs%!3KN(lsR78wPq3z9r^)jauqhQXLqaB=o$&2Lh!h zd6C8B5(zcO^YLjll305N`T9y|KFAAlJGM} zFN4N-z*2_@^$sF@00@{f4d5VF!xJnSN4a;BB!?sfMu1@uag0iz6GI)R$`0Z;j6VBL zB9An%k+)Kl5RyJVg8E)`$p$izKA9|0E@pGib&vx@2W!vf+MbraBXSvuIg~4Y1|b&-toC)j8XagO-nC&wWR-ojIlzPzcJR`%uxb^S5bK3*wS068 znXC20utqCb!lJ%s5Bt)#s^zV#H;}swVi9&_6914SFH`{!S071UiYP!G_$K$g-ujOb ze|?QW?}l1_=78>ayu*{nIkLbgNxG^0opx*2Yt^7mBwO*U)x?Vh{E55wPk(w}rT_Y; z8Kqq~ixyQ&^l_|dypt4(<6T693(Y0jl8o275~(#w?{ zlvLfxmmBl3*}9(Rv*$p|@EG0+$E5HUH$kMz$+;Ic!`v)~Bu6$9%rli@(V5p5L6?{0 zbGS(wzm18A@*yq1I`d!yB`iK$h2A6s2ST$!RE$5JGoir?#ILR9s@yJpF1ouG%nGZBn2KLm(fs}o za7}Ti9Oi-c{~cAbhn$lg6cDsGzr;leaq|8B@@uW(r6TTh>=TP4^GGjPGd&dP3+`X> z|G^X}bcDAMj8&Wkl7d|Yu5~uQ(TD0#a>B&9@1&)r6yCT5rD#Y?^9JCaGlo<{!!xyc zgWPV7Xct1)$@-7Pa0`iAJ$Z%5DH^!=7PTbs3zD*1oN3=3sDt1Os)sMM6Hx>rNO5?) zTO*ODq6@hBTUT=;BeVf%X7QktB*An*k}Xt40ZFi$pM&vAdhcA;Iv_8IT7O#QQqEk4#aHb8gZ28f*9N)%u*s@kL_kp{DE zS+j@QA6nvRN(w&}<`xSQ+l1+}KnBm?f=FPx$|yHCyS3r&L?q;BeA2`ntWHD8`%;Fy zY@&QD;y4R*uHb>-0*w9wHt$2`uw)4OC>!r|Pj5s|}$IkX`?rLmvaI>*0~MI@?XA zJ*98;6mH!KhrHPK_F~&cWZ%1qdz|+hMJQPWw>$|}S%n_+{(^x24*jnsnzak6w34qj zx>ma=-h3N#0f&I^fZ!B!(H)HRi^B74K_shOOc$T+M7JS=^~N5m5Wy;GKsboqxyKiN z@U?i+UWOE&So#I>056HSPObh8E=eok$VIisOJ1iCSS!@)rKsyfjAR#(Foc%e5qhj@ z()hBOO3t)%)JfaPF#U}_`M$^WOBza+w|%U?J&4!yn#SuDj!p^bu1x*B*_JgckqOHI zNsk-SipqEcO@DgZ>?YkA35GNJl%xZZ_4=J0x9`IX7yQ|xiGa@klI40g`&;k-~%f~qRlq^3WZ`l zmT329XxoP-d;EbZc+T&(?Yad%_+Ugb$n@ro)lw}8BZ#ED^o6W!BU zT-uloU#M;n9Qp1f=#E1~$&NIbgyzaXdT z?G*zCseyDEX+elA5_*(cV`MFP{Z_&CF;r<7Orn&EFHOH$ol#?{j{ORekY(WaA=l|i zQ)Inb;@A`2eq z4F>YRwrrp@AKPb12Ls5R`#FnA&Ow@5v_u0MQ^6mEOa`Hf63vNF6DpY1(HbmgUB%s! zK~t^j=6^rX{(eVPdkQ8#HmHV75!ylMZzkh5Wv=Ma1;-8`kXYtW&;v*;C?IGkR9*JY zADOcNhnxT>YVy)Wfh%7s$!b|-`3Q5tI~4UEou6Qpt|S{4L|+wrdyknvW#RM<@?4Un z$D;DInO3o=oV>M;>^q;MlC2p@>K>M9rF09+j%j%%4NjMD+}1x#i#+m=i>zBNqU&t# zxBNAgKDWpF)?q+OlJm)CqADHuv(NNL8K4g=Q}n`8ET`zCE+!%bhm*elD0S%w{Z6hTOO6;|RCPzQ1nMSE!9P!YC9`isG{Rzv4=>%Uo<>To9+5 z@?FF00?HqbNP0gzV|z388Hhl|N8~;`kIbKf;wAf?4DVu;9P_Imq?`{Mp$N`0_aQE_ z$N(aQFE_i;XBO~qPFpxBON5--f!LC-YpEYzU8BZbN$rh#l03{7C zn^X{+IBgHanu2GlKn_fy1GF>R1SGS)H0OEZrcr^EhV7uce34L6hi|fysK@=jeao(i zr{|Og{yELCEP$9quulIe?aIX4Vk8M!=*ieb zE?Y@!8c3%NrVsSn&7guDfiYF#J33DRVvFlFk8j=m3vL{Xy3DMl+U--eSHD`4gYQ4( zwX&1A@l0vJ%g72av>Kp+ZP{Qj?5PSB`mv((#|#~@|5||seI zw4D9Yc%LaEU5<~HC`kiCENhUttEx!4MR)hnEy=2>9MnSL2fYpf#g^3TnECVyM5(aG z$Wpce<8jOJ7kf+Rq(nyBeAdN^CD%J7Qt~^N1sCHNI0+?v^FU5>Pil5PmkQnJvQ;CM6x;MIV^Oz@c$djDKJF zBDQEsdo-@T?8XP5j)e;r-Z|P#e^Ss@fM#Puy}Zm%`$v=}rFLGe42S5jp#f>AOl7-c zmw3v6xn9s6kvhmxA~>}7RKH`oF?Chl{Y0#3I+{M9F#*+~CzfhKt7tV9RP_na*!9-C zrWb3|OifY?F}Hm>?%MMTC-G{zKo)-W`|*lQNg4MzNlQWxl;0Y?npmcbP~gr;hCUHG z1A&PFAKHpxN5<${V}JoYxWk31x%p}Y@>+W*`+QicyFUOle{j!4X0p=YZP@50SjrKc>3noTM9Gs`1nNgY3o={%L7=ZB&l~5vExUGNb86Ku>+; zqgyppe|3QhT!85PkD)UShpKVI_?dlS7L0wHv5vJ#cFN4yw;D@Qp|NBqv>|C`>}x|5 zQjIkvCM0Q_u`AUm38{wgs?;kpCCK$MfM_&-E<#{ku0In{9b2r!MSv%`+dp z{AUXb-64)7>0Gwsp&uR9^fp3O^3W!lpaa{+t|`H#@Ku1v_TXAk>^q>#i3UdF_g)v?SV zD%A9S5Zokt;0<&XJK!0~KI|WMvH`yP_1nXdY)=so_rV-)4NGHX##7eO)b&^K7EwV( z!UAu-hC8vv%@;`*|MR>G?9J-qAFTSt$A8e{S^Kz}{LqTtdHPgD5*2h}mA%z8&cuE7 z={rzr`{iZ-0qMcla2W-To&aT-``4ojti;pK6`UM9upDEF_#Yd5ykagd{nY;&WxO6Z z#kX1;?ltUPoV(ThEdOh;`UXc^=Vy|77VfW14Cmvib3ZTpsKEFtFH>^QG|&$8Ax%|6 z({&|m_>f)j#4w|8_3vgm$LPy}KDr4m^-r_W>ev^cd13$x>A7xjI@ zT`TqXli?rwv=4NW{JCMD%*ar(1ahyjxNd$37ZDb{n!?Xhcv@w?73JNTQZR+vBayCe zlOj#1-|^O%xs#UXt>zUz#_ZoXp>NqNZlmAK|I*@j^TSZ^AAP^pJGYM5oKQe8jox%O zPnvuZ=0Xroh2~R(_ktl+56@UsBacJ!z+g1?@GTQi{$2RuNXZ*`%A0%6uOk;nNMC1e z$4<9>K|RQMv%H%}%FPDYhb`ipNLoFNz9(5bbfjf?x8gYF&t}qNYz};>?v57Tc=|!o zv7{C-RU*%jii$6N$}(1{vHz#H#LnK0the*thP=zt6MK!h#V6NR=iFB|AwjO2c236P z|8d?UQHHY8DsYr^D3s}}BTHV*O7E8P%LnV=6EGIDND*}lcmquc&Q?T==Ai0u3N4#+ zqQqH}roz_94^~O+L$Usott(V+B4rm@ymPr!Y_m3{8K^3P0SJ1VtQHW7NeM&5yh>zU z*mnqUL((PtAh;d(6CUf?o&eG1abi%vj@`mIZ08;Fts%V~C;Bq9)rfPC@mE($3gpP* z$_VpUywwq#qdaPsTmVCBTw18o>xIq4bD+}M>-16>6L}j@6#ZrNgA~IA!^VMK{B23> z;t8L9NJCy>3;iwI0d`jFwy&CT=C1v|KD!6Y+YWzGnmpiD37fQh$Ml&z_<`5pclgOe z7!?;XrhOpj%wm=kE^=jY9>XRxK*4A&^DP?WgE_zG?wi8Hd(EbKA6&632}_C*HLkf; zF?G%6N-^_YONU~$1J)dgPzMnP8p`Kmpw&BP`Tf$*e2SIhMO-S7|5u1Mu$N49B^^oj z>cgLl{P{Lbd+It51)|roq}uohwPbr2O|`S@(>dxXQ+Mfo=Uk{sY_OCiIuE5Ib_Pp3 zkr`-=(FL7iOPOsgM2=c|#mPz1Ugq{OZ3v%T;LJ7ZF4*z40X}mk?-pAjdThD-jnyY| z_W2mIdxq~O8$;rbyl#vHrgy4%Icx2+j-r+M_)Q~mbkhzO`6L0+Sw8viDof?^#44mJ z##W$%b4=!;wCwTo8COovZ;isxr$12`#;MD+W$EsidM{&1yotju;xrrS%2XjvxHj@a z*m`NJ?0my}u}K9@^~KRX`y`0?30H(63n{HLkniAgch6u6&E5DGy+v)tUyv5H4 zV{00IcARo7_+OXux~L!ST>l07CTSuV$%MhGx3@+_dB`wK@x-P;W_i2FQTs8c_;t!k zTEL^;aT?}SMut)V0$NBkv7XhX{*#bluCq`j-zzeEz0C)0qv6O2od0*`>#nPvqP2t*gsveSNEIMwfjS28*mwDaK-ix$Xjp+$yAUo z<3Qy{7{Oc86s1Jp{%GY6rOA#)%*|;bmMNn=eQ2V#6Sle|A?EVzUOW^+d;z4mXlW`} z<~Z-^a0q13Z}k;@g6P7ykyY@XdX}VK6RoK+;zD)VCl9kIHrkN2`^)rkxokln*+bm)tz?IR z-`uOVHfg(G51tziNlP5M*roO7R+jPa&hfyt7mprQ$5Fx@JbJ=KESNE$U0#x-o3=#} z#x4UHit9W}q!@Ckud5+^orl{K$su_Jql1QEPPrx$m9pgtDCr7;Idpj_Sf2?^ORK>V z-(7KI#hC|%H-(Q$=JrrH5FO`!#P^KCenU%Ljm}&-ei2HmYwa zumP+$D@9*0fLEG9x8<@7&{Du*!chBLUR5^KzG4E(<88;gUoF|k!fp~8R&#h!c$PQs^YGUu4hZj z&D}frpLrr;d#((V;>aU~QU#F?mls$FtC1J(6afUOhJSnP4y|G+4!YAT0(@#gLwU}T zW_leAN|x&(bUJ-QB*+#R@1g`KWEuMH$&N5uk|Wf<68Ngph}QxO9GAK`8n- z`XS7;`qu7H{v1k4#8P)jz)3uREVKf4q|1G4bECQPWlqZ#qKq zOgOa@y%ODg$Iw1J-okq67Fcm=8sR4Hx-C72mUG6V6 zz|(c@Jm_ze9cL8bSyE&=UWV#FWc+QSDQRqv_k-!={0@`0suJkQ@XzVS!H#8TV{e|* zq47YOUGXRDn8$AdT8-SH9k$jlYAUPln%A4%q){hlTv#uypZYUwCLNk4Oem`nzs{-9ITtMI4$Eqt%;Xeu|F;>gs(|BcE3M#le%QaVPs+?sXuUOGX;aO+e?*yz84$`uEB6_&{a3!(rhYtdARRAj|))?7ZOWuLEP z+3ztG|1KPTF@WBj)qxBy(Ly1_gMo(Hw+VrTNUn^us2T;hc+G)dfjeBcuH28Ei<&Kv z0Lhl>3EWAF&=Zh@seuo<@csb&o7?s?+AN@ltw9wk%+9Hc8{VQqytu=*@SA4})erCNbi9b6fB|vNDZFHK+I_)&j(y zev^xA8`JCGKyTK6QC0X5D4z9f)!D+7y^ z);j(lRX&z(+)Rbv7yS7qfEe~&G^OvjFDbXc(v?)S-r{YuQ0p=HFxn?J-FSiA(?>`c z6PR(%W&yY^T7Qj$BVAdsFaV~(x*PXwFpi`0m$f)`-KsK7eueXo?*Vtq3{d?xQ46F@ z?gz7II-4}LDdPTE$Ma5E`@nin@8a^b%j|cTdClze22%@Qs$D9iE#4vDnJF2$Y#`b9 zyj7qTzW|z&ZSEgSt_JSnB z3WsusQ+YX$@$asEsTptefRd>rlC{s45$OSlI;Y0Cu>FT&N*KOm;K}}Q>8E57OX;Y~ z6Ms=;Rc&;%y&hgUaD0D^6D#(eAg+bIHNCK8*cbizEr4^NMJ!W6Uuovteq(T-CSIL} zKXUx5##P4Ko2hhjZuUtzJSeT-2C3ALDd;@N(yQbouL*U?Q%b(C@5l-veC6Lag=gAm zOJfmBQxUxfUF8kIxavOQ6x)CZV_o!}(5{D$V{HgxdQu-bK`Jv9FmYH&7}r(jf?6V% zyN)h6$?bzDk6yB+O0fjLZn~oVsqlJrT)jY#`D`gUAJQb28H?2V3ss1ut3@ib@l|L~ ztFcN1#unP^**-6|hUXYp{VB&l1ybQt7ll~xi%Kt$5nR@U;a3ZR@a=afA^OuQqkFgq zt7>GaR9FQtT^aZ&b4#RH6$p2&i>X+wwl2J{C4g2y2p*CW>mt(;Njcf9^v!Kv0!%e_ zjCavlvV$Z2m(9`AIMODI;)!O$U&*f`P!4m!WzI42jm@Qk#x^g2N{?)TH&um)>@U=B zaSC)*8y{;lxGG$l2@fkd)H?JDW7&s{%!ts^iX#8h4mP-|FreI#F_CNE7T&L1Rfb(3 z&Dqr8pS9Oxu^aBQy7tEWe2~eBGhA#18LUMI;^^)h&8Y zT<0)DKynFm?_~OBc01LCidA4{ST|Moa9kugcpgWOzqQCC2Xnk zk)wKBwkwyAG;~EDsG6g)Iw`@TN`+A|O#&SSU_?hK!-_33X2B|A{lY4K-B)??Lgn{5 zacpgN3|r$c*D7V*{J#+wU$+Jse zCG=ZsT~_?|#JZJ$lue9bH6I&zVsM|HRX8o#BQ&kvpS&WNaa*cO7itGc1#jI%WjW95 zsl5ZYCC|o%eI0&67C?a_1w~_-tZ*oo6=6N|(z1>0^!1nsShT)bvr|f%X&iTzt(5Tf zpLFBpzEAMnuSgF;Zy3a8nQBIG`1A>|Cg>VXeYIE+DEENL2f#MscUK44*f9Gonq^(v zgADUoAvltSUSN0rx~LZgG`Zk*3Rvi}f0o2TQxAwyin5%|ze-}ZN15`EZsFNOqk6e= zcVK<$D+H8j|IZ~BYJp|v!2M~SVbIe@KGA7`Vd(LjF1+bLMrI`w_)D%0|@;=>8(RK~6$zUV6rbG-j*03;!;5-xjLSW!~rsiB|^ zi+8~&ri&g5+K_quhq9f_##lfF+*_|)xuRbI*d_N~(!e(Q&DPczd6)jDe`!bj%+9(% z-of=pRHSrlKW!)4V;E|vkymqm0Ceh>sxn(u1Z1)lo31V`gOV1uqYy3gRTMgwqQBlS zNh(@jTHeF?;`NqBk%3UCZojD75fEJup)z%YZ2Fn0?2v>#V)D@5Jgwh+3ak)G#qb@} z7LIScHTf1Vw^*^zQ|>dCh~}E7froO0?^KhO2DS_|70rQ z5Bs#oLZ!c@Xv03pDiC+(4#le2>bqczxIOvQEAC~RB%IzAcCORnp9y>qN8ONK9tP;I z0&2DvGONOcRlzY?N=|q^oNyk-%=?aiEy1%;B=BLeqh~8itsk(g53)=mx7)!0laXba z$TM045dWUpvGF?yAJg2*Gj!Ea$57Mr6fjUv*RNhJnA_Kl6bU?jcR6kEp0iH%tEOa=-1nT{xg*Iss6JM)pfmh6Bu5R#1-mCP?l% z!XT|s-Y%Ln5tp1>qTV%p@ISVC!Z!{d@qR8jjuBpl5R^)c%qbPBUiUh@D?YL+TNpc| zo^$n(a}e^jUWKMmXJyN*S#_;)-z4dOKQLi^lD2(nxe#qlWovwBV&C1%@=*Hv=nAI< z6}#KS`k$nv4b?G@-ULhIEmbY|SITuk{$rm%Y(eDW3-EbmwQ3Yayjnwsr>O(A|zN6d!+2HFW=1qFP#!$8m~g zxhmMC+8kclb?@`8J9?g%=Xsn{q0f&6-a}hc$$!&LCfM7LpO|>}GxJbAZY&)J5RU$* za`e2w1|c}}#^26oultR7@SWK|rHl7MS?AoY7d(nc5?B;Y%H9XBPmlYv$8ATZQZ~oA zB)oeO{I;+A)|{1M_fRAfkZ=G=08l7$CcKbY8B~?Ft=k*?D7W?BMN~r}=k-n*+=fuMXtBoXcPb z5~k;unU|ghGEcMMbyJ_~rn#g{4_hUV&9@2^2|0yb0{8*8a!UFHu^$1wDrdy}yXm#y zTcS!)F)HnZ!>>jSOp1kdd5B!OfnM8WMh4=%dHrU}kLS(Zd9-DZ#I~kD z0NLuKLQL>f;zJ0YSqDdK+pLPTrgFpB)&daXGWOQa(0;t*Y=Vl^urR!uus`5d1_89p z8;DknZ$$=;WU#1A9Xx3mN~ zybW=IAMoU{u|Kj@d101fN;{pp4$nkaFz zYief0aOXr%4bozx;>m?aqHhB^yF2CzK=3IVyE=L%O1IdugBFb2*SNV{w0k6FAt)&p z6e;%a92Ec9TqXP630-RAVmaH!he6y_yK zlSq3cDL-RQE+qHhzie}QGN?r3uVCQ(4seb6h1z?a0}x#Aa%Rq@Bb&)xa%}?01JB9N zobx~DFC5)tg0-Yx7(N*UB^A-~6(|cmGGQwVKHfUu*y0U0nAqULC#w zy%Wq5bhyF@Jn3tzA9edQX*w>IN~n?RsDYf=szU8MJh3w2s&ahMahB@{3DEKtF z!lbMu$JUZa=;;B;NUmmhuGC7H`5%;*o9pn21mo23bWK}Ujz%O{rk~qSIR$_(%+1N! zMM7}VjOw}jRAk!JfKjwlp`3UQfyuJ!n^nC2ORgQXiNG8&QWdJW^G15asRi<1xXgQzSHjar4 zIH~{iw=1lt1(0dNwxW>^$k2rBj*BM^Ykm4rlls=(#m{ak1DBL_Rx#=eOdRk%Q^Jdv zWy$MDboI!i=U4L&OvUUlG^O3$5McMYPypDjDbQL11Yt`ezls7D}9#3pgNTx z0mM`;cuT5^4@Exq&oqyvn4Jmy^{Dx0 z;wy$AzL|}sJ~2YvCIj*^b`2C{4aZWm+@BLEo0~CKtSpnE!pPu#eeqOzbL9Qc)11{8l-)k<~u73Vl-P)XW2N!Oqkv zDaD|HY_AxEy~<(>Y0}B;p%*6YozFGB$$vDb=CtDjKD6LR@~=~Bfg5G>Lo<9g9j>_K zyh|P4#f1v!P#aJ3HTR{@Ld60 zKkr=n$PSSBdrDfcgEdwv)dc5!2*Evw3R!?v;k@ z6~+N`|0#@CCKCkraZ*(Zzr(O(p(dCdbTox0-{XNy9(y`O7eK6-waDURfyVYRK;gt( zQI{7@IjOr~ZWUyDcH!pJRU%>uNrKWX>(u{>*}+!}uGscdL~_rhC2ry_E!dN?I6k z#UdQ4RTeX-zaH;AKJ%4oFoFJ0e5AVUo zQUu{D+)TzouxSc0!;qSnFW&_^uSo8T3oB9f7zvgt@*hwP-foEnli^HO@e*>Y_zPm7 z=+0KtZ145~iuP7Cf}4N(Hd}~W5J-u(p$AUyH!$!m7ubt_(}baz04GSXC#1_s?$i=& zt$)r1CF_kMc+A1R*xNEdAFu)iU-6^m8y`x8k6~FR0zgX4{3kkIa#ny5v;K``|69!c z_bMJ;OF>uSQ8y@0cmh-%H!WO%X@sI%80bI7^*oluC|=?LS5h_vKFP(rpyJFa_#Je^v3w)Bs$+>Y!1!H81=5kcVRn*;SAvZcvj zClIRD{tK~5S;=6amZKkZ{)RqNw?}^?7lG0c8+7&QUo1IPJC1MIDMR5XzhkQ?NvJ9a zWF9W$KKz!e(c}T0uPx41-T+idL>YYW1LF^mrUak~RDOC9>W~=n8Yk-w$d+Qx=Zm-8 zVz!u6nS7qaGZ*aM8aRMAXN4A);)z-#^wLI@JjM#O|(Ds2M3CkfSA z%6iD{z?ONtq z*%0N{OzgDush;3Z8@$t*9Nf8V&5x2&(_e7YUnGEW{In5RStIhHnAJ;TY#+Py#Y)|C zN;=}lwLH*DpUO%x3`>_98-~<_G#pA~ceJm~tn3Q@MDX#FEoaGYQ}|A{tY!<4Twr*h zMed3=ISq#LXqPYNs1kX4`GxSAc!e_!;98hsC=QjK10=JzQ9M=#VuQv(*NeNhYKRzA zD-Y+v8r{%GbnnvKh`wdg2WmvChER@P8b0QhE%z<7vSIDL7(~+ zbES1+fMcc7dOsVnc;@!fQU7Lw!D~D!E?ECjg3;|#i4v~l^)TgGk-^Ij&DFZ$1 ziy2-wc)o5_6MyY5eG&@;>x<7>uSIOF;!3EIV9>s-C7-Wbgni%E4X{WCxM5TuVD#2p z9mte%W~q^7Bp%_hCY?_#eO8^m;{u{J!diU&q-6g!^zqV`vEANdUy!w@ZC^U^{+*1N7 zyKUT}%McvDg(RxrV5;pWac&^2oB+Hgexx%HFTNE&#lxBc1-)X}jE?%-e_@O{0+ZDh z#FQfYVo&VDLX9E5;?PN!0+b(>49xz%VEfmFt~bGq`#|*JBNqVp6ecoR3{x|NxpB4H zdD<~z3*cFZXNIGX;D2E+%2)dTqcfeizJG9f&=^P~*`-R$VgZ6v2mImE?&_L7Wi-eX zRq*=>;=d;fcz|$KT7Q`6UcxZyoY24NYfvLl>6?fYCK=r6GJM*h-wDMu;0-&qJRhyA z5;T-gQW2t^WG)kDQyL4paP})rhaZniaf@rW2W4O12Yr=_e8m`@Q^F5^Z4nxa6O_4M zB}#}yAuS0K=wZI z3o+O4=3~9;+JnhQ57cTa-r=0QGw;f|y%ByM@Ze=6gEe0)sy-&lZ}XmK=cEA8@BEQA zD2%NmmU;(LF8L|7r45uVZvoNbJaXoTh4H*Kfnr%OXz~V9O|W}D-1z_(LH0$41v|i! ze#)`mEKo^DKOYHhwA<(XertqjaDx8vWS`tc`ng7ASPh&f+|?}s-D?7^0fq2KOwIks zUNsUTC%J%d^3TMyez@K1@CR#NoHqbLums{exp<+@$O{y63CFCB3Hl4DLLs z`kuE@yPR9+i>T{ihR-K3w@w-Kml-Z5MBOvRJYbOcexC1xw=3n~jBjeM@Vlk-j(@uF zt6glq`1|Udb&KWq`(o*Av9$H_7xR1u>ZIy67Im9h>mhl%hlbDzmevugJPQWLf)Yxo z-iXttnjzorZ;8j8ItiiZ>!z^JL2gQZFSXnRNCJdwzaP#i+p>YKU@#XA zemFN!=+7*Rd|gcr5WdRG^;DG0oL|_7oY9F765QKfN?SHgU#+ClfV0OxAQr@kLx6de z4kReoFC`tfQAwj>dwCL6rpz8EB^LuyjZmQ)Bpb~Nw%9=Ip}RST+n2VzMf*2U-V3Qlq^j-33BqYHB3^!}k^i)}Hg& zrVrA_!5j4m#*(WFa=*&t+~C*A)5a}ILkh`V>?gL=ga_2~`xbG;c7o@i1mD=#epl=3 z6|*;3UBbcRXTjuv8qs~=N7}fDp_M)>r`a_3M&AYhjFX1~E^Rm*EQ1ZITPkWsQl*kE zp<}5yc>hjj(EyT2ULS24OFs4YD|XvZGjQz6(#}pLr~hW%<05aI`5{%7DXx4&gqcuf zzRKRtu0xX75!MO4oVqA+J0@RT)vg#coIZpl|fqg!Yn1zGjf_W@yhIRH|g+zo#@^5x90>-;_ulG> zzW%W_?`dr0`YM>u)J{VWl1$ z)T5yXJzN&G!#{W)tiyyRU6M#*OE6P*%z$8B=T)MGoBXZqVBTQ2SW>4vQF>s9+N-F{ zb4Iw_BFXAtnz;YyK2qS@9WcMuD9dc#(}OZlSL9>)AonCpy77TI{n-=(v-3IwGZLffV?>!3eZAPGvhddp z%*2P&6gO;xt^dR?b;21W+B+vZ0X$Cb?D(5k)w_7Q1%m2*G`Sg`gn}I09MmnoefdbE zrQAm4-0iPc52|%Nj+*%G_7Bf*Y=T$U-2F8j{r9v;ofXo$gy`kj{XK8@G57VC50-^- zu)zY{UQl>3#NIjSjTk~(Sc(||WMe-vujbC!d_{TxFGI*e{`%uq;#WV)sJ|Cz^rglP zI~zU9mm5=k`|>}-Cu_6MO=8*ygm>n)uKq>k)L(yB#EY$*!ad~p6KUEGR$^Dyb$HOB zv4w+(#b(8H-ljw9r#0pDoYE4QOnq>AV=!VFXtf9$mOU_R#}QT7f*%TGJ=8|;fz*j} z$L(K31JsB}s>sRyupSbxLDr)3IA9kjmr^*w(2&-`$!@Q zCbs^qAwEU6mn&S_=C)!l<*QTL{<6BQAc_(CzSKAC5Ql7nUa$BpDRWrwU?Wx~IT4*W zMd&c)dKKPznSt+6BY2UXfE6Wn7zUXAc%=^xO^MD-mCpC<(AqcUa7ds!reI<9We$o{ zyZ-C)E*|g5^R4i^@Q*drDB`(?zZEgd!1?s6o62}K!Jxd_x&PP{C#l+V|!vz%QR z!Gg^5k3WUJ_VsycH4|`wW&V;}Q!lN(LUk^6chXxd^YyzMhVpmIYmjmgQSG5yMZzC=f9!tdaWFe5Yv0!=RsiWKj$~YEFG5p*p2#nNM*q~x^cQY%{=bMR@ zVfVORkO;fK+lqeT>YN9MC_C`_vd(40w%eouiH>@nGA{dMU%y81 z=&P*6Fw@h(@f}>YU{LOa7ex8x?h+4^=~qHku*B@Qx2f~D@2Ii$-(O1d+$e)&jct6~ zx_;rQ#j8u-&zbye^*;Ok!5vRGxcRa;gZ@GTYkkJUO(5^IBC5&BV&#rIWQW|8nlPwh zI$FFQ@PA%7UuYCs9CrL=5pLG^_*0Ab0Us`y%eYuURc*?ci|^8W@*3WGg}5TLf;1A@ z22Kt{%}SHn=5T03k6v9htlZlTT6sc-29q_dAHPP(>MF_8IBWd7CW}rlbtN}v_I>6< z=8J7Qo`1!nS-^Zh;g|=h1!hLfYJm(G$X?mi9b~Jl-#BpUmELtE8?DGZ`=jr6(}+ev zfa5B$08iX>Y*$G*SyB-gcVFapBwZ+w51ujZHp0D&{wu&(P)OjrN+(FexC2`(T5q}t z_BIkws+%6rQR7z2+w#m6M+AD&0@>-6CD2FB3d6?XjJ{Q#R3PzUKs1w0V4T<24lCLp zmI3UEEyTpS(53ebW$Sk3+ek2l3MagI-+8*aU!$I%od`Xz(c<8vUxO1(XcB(_aduxx zcy>5kU0-Qg73t=h@h-6oQ4<;^x5fthc4g2#Ffv)lZQYbN8%fk6<@+F=j9FP{(!MA~ z-t*c$F^ReDm9PAIIa_z&8!~=bto$n3(Sk@}M|ot(`v1<5S_XO^9_%<)e!o=SBgsnB zgOvDItWv2#$=@LoN=Q)#n2chwxj&9RLHKzevi5|+pQ*dRy|rm*l2 zO}67E+mXt)1?YS(sGGYFYb);G{bRApxLN~p&k_~|CFgjucoN9+YxH|OPF$RZH4p|i zEfnTFVLI))%(cfb<_aP4A*TAv@`{<_=T5VW?11KcSY|>6Ke9c#KPlZIJ`ON@uri+oWg1 z;ctjsPycK+NJ)muVsg%*qK)Ftt7gikAvs&vNpmO7>O}jf6Cd`ud0juCmPtf3v#t|X zZ>uaK_eNZnn*NH~QxSdvYn{BKrSin!yGSbCLn;#a zL4&Acc9dRzWEl>6d;*_2t9QHSwzl!k(ptKL5GlXOadtc1bObIF-5(2BF~ktn*}W=~ zBdXT6w{l{aiOQ@IXDcWkU?fDyd!Por%e?Q$A3AEG*Q4-5W9UA_pJ()=3?0AyeaZ8U z$gJiF_(;S{$-mqF3Aad0FSUvjB2n}0!h4McFh?n~5pLEal+}tZ-0qThf&a2YJ(@r- zVl@scidcFxN%@GqT!a!Y|IAj@F2gUQeFlmO?oujJeLiE~{d#I1xA83Y=BhG5kAY~$ z_2XA`ZAsFINLht3l3Jjx?CvW1`3sk4u5O2K`Gh?{rSaUbq!+{C5m!Lc!-b2dZRe%* zqi!5}lRCM}!c)b%!ho`aNAhsFi9h}9GnFWKZC&0+Y&Xqi{$Xad)5QFvGasyz9e|XP zn@ad)2x#n<`GKG&*q~ux@4!Ko=@Ej} z5CA{m2)^t{+pku*bqOK6(xa-p1UBj7{&rkcx}JXjMm^DxBiRvd zOo2Pdx9|bB<^N&rWhBD&kZK~?FYJ&55@$d|=J6mEH9?jmYVaiAr(btn1-q2ImKvRS zRPQrgzVb!Z?&uncq_7N~MM1AycaV(1@hhJ(J^C+i%=snt^xurIJ8oWB>48KwE5-ba zvJnZ3oju(^58tvU)}PhfKeX5BnB;wPX@E_WIaLyQ7*U;Ms;A<5QTa3X1lWTGYnS4Q z_N-=@8h_i$@jU(eCGVPd(<8=pWJRgF)}dKz7qRP(CNIa#AHo|)>wC=ihG}pC9nju0 zk4b535{-t!w*z6;H)S6?w78daDE`Q`qyVbq5x8~aH*1N5cfOv-19u|Wz)`Ama!mpi zgcdvnhkdp@AVq(mlU)_Ke+3AmPFerr-Eb5L&h&hwr)PY4nA!`2U&hOUED})rlV(HY zi}(qe@`k%EAuLuQaK1$8H;6t{^3t4ql~5kXGmwH{fTo>sOu8cL*bJSfcM{N}+CgOG zZgm{_3OOzcQF{Nuo1TDnOh7-r6|du9(%y$aFoLJcBwq!GP0va4D4>oEhocckBafck z3YYinmdPrvg>0kLU$Jah3E}aJ41W+m+(y)rC-8@_a^+1bpX<(1rkzm1f4K02wCL!zf59`U3Hq(sL=S@JN0x&aS z=j6JAixhh90Fc4}HbdiWk^w0P*|A`H6Bjhr>5bzZ3G#wc#Klb|TZ}lO#N10`B_23| zgxCQvK@sw&*$S`}ZczfdAi*e!hkC=Y!&?P=a1r;!>;r(j9n*-kp{OU4mnhq((R3~{ zSb=z&6DC3xbN9^HpIbMRq);T6H05_J8KwkhkTQ2R@?>X&L8Knwbr@mpk|bpvY7!>- zOpJU@%?|U&d|_bj$RG|VWPjn6ec_*qQ$YBq1P&2SkNTD;%AcmMAs6tZgrDUeif2QU zvtxc{pGhb`R*{`RK42}tTnNcYuEgvIy(rn!Tr`%;8hH52`-IrGCrpx3yPgHJzS4YIQM`tQ8V@G4W^id6P@lYteU; zFQw%iaN%1WtG9Z~1L}By6cbi{I#$Qqf0jau-lf-t*NW6uTM)VVQNd-o+k>(69>Dcn zKiZy%VQhz|rnuH@52##J!(^cgzAAAb^&ACy1dj~VtgQH?SDD{@mg=k{!e5KlXrO@5 z6sVK9z%Cee<&$2kex*NOqm2TC62rf8F;9O4O#Fkj767wMiI>f?ll79%So#Y&5-)}D zg=C0$4XkuX*7$^yMFd@sTTDKn{7G;7$2NGh1{5TqS9PfW^&uuS5NSl{^HPN?BKQ@4 zTLu^OXSz*&0;VR~#ukZ?7llwnD&z*m7?Q(Ir?G8dH64N@QuT?N3QALJz%6geFgxk= zx0+v@VAgi|VHoz$D-{7e3$nx~M|dO8wyW=!{7XBPUH0M%sF`n>A|BZNsqXHsdjE>* z9TJ@msaYO(%YF2;X!=FAF`ayw@`RtKjzpD5Ol9u|GNs zWZ~R-vOvdM`qYGTbbqoe;1V%t;wYrmSh z8u5nnG3l!?LvZz_#G7sRa9*-XtNfYJy&ZqR7XK*4 zdSz%<8Qk#>dACbGiLoz@6`Vw*EVZrh`V++TVL7uDU8+}5mnsdSWZ z3_s~l5>%bSI~@GNh5&RZ7r^&bzh{>FTXh{t!NlFYnAn~Dnk%#>TKFp>t#BAvxiZ@)TIHHM$L76+C0Lb=61u z?(pqnZki|}5WN3-sC&2Eie4HTl<5py(@r}kai><-l`CWAL$Tx%1Ei#MwrSEqOlTI> zx%_igMJnjZ?-oOoVJ&e?s|73$S`DQ_PO5-96hURDyVK8fYq4O*|H6;4U~j1>Z*!}C z^2%RWg1i!BJG=;vC5XXYK~6&Wcu7ddy`)u(grz)mZ=c*;o|5!{TpR>) zmc|2_0rFq#?r&7?$PmH5%%Glse$w&Tjy=9xvV3e|fQnbMkiDp2i{9cx~NjOJZP$~v^dd;$A3yK^oNxFXP_+zH0c%5Fu>`?o@ zb1Lyf;qhD#cTIB-O~6wxN&AvYfJjjVv7OLpy(&!HD35FEvp2AitL{1!?SI_4e}(IO z`ci-D>+vIpkPYV0Yt4YqHf!5N2RrBP5(_SlAnobEY-c)pY!an0E>3IthDHE}3;2n; z6YmWMv}&JQg>f&Sg6CmRHeoGw8uEhFM?YYLr_-|hBKg1WI59`gr=YYS6xgkxBU4d# ztzh!p{??x@Sp~2<$}rs)<}bh=@RRtJVDn-s`;`FPNmPC(A2jb6)I$lnA&t_88vL(J zMUHAWe!<{Ku)KlA&34kgvr@ZZ_6F~cqv!1@fvl3zt%4_@OFRB3K1eA66)_%s%}|Kr zBJB9+50`j15+FF9VRx(CMx;R+evch@->nb>Y_<`u@u_4Ch)1L;cI}7|@^0E1D&FAc zkR-ms(0!h8p1|9d8?=_Tv-}&K?*ClfzHCUK`T&sbI891Ni^Nay^Sk?JSq(=Nvze&+ zILquPRQWOa_iIL72KW2)TC>mK`;Il4w_of(xzWHxqx|tz+cuHx<0z?dL>*=F(32PK z49tmx7|Ipm8)|oUd0%{|`5r#jLMkOrVuBXuTC335V3}{wmwF5RN`LKe=oj7Em%6nX z{mrOqgRkh27aFZ*Q0rn#Lyh6%vCy&+jjcA3jXxI?u4`k%1}E|sIMgeT@u-TiopU(^ z-)Ej>-$L6t%G!SWbVX}w^hPod|Mfa&)#wAY<*iYR1jQ~r1D^w_;N!Tl$S zeB{|V&{T~4d}%u>zrC>tk&p<(m_O+@xw(#JX2%;(sVHF@YVclj*9-~|^A4aalqG4HwW zrEm7(rAdcJPaS)mg)8-Vs@ofJu{z}7O5F8#M-+t{M&p}L-z!O(sa?tOGLTAsfwy{w zucN>YDhKHBv3QQ=zcehEvZa-CYOWn{q0c+d5`mW!h>O~oiXVvb=6^ZprgPsdJfv4s zcdgbaq-qvhH87$tQ4!}DFAkkW>3TXJc-t&EC_NhK+#OkLMlo%M-nQPq-(#Q|GxizzmL!N z^Lcz;@7L@3;(IAs1>k$&o8Ltd`~64qP1&a6u*^$H^mFd4j?DK!3ZVr=0E+CuUNh4I zyv_w%m-;7#9Lp*t{y9fQm6Aad(LWD7r1g%r>=?IFkHm(v@cx@ApOTwCrBSn@EgE67 zeKql!qc&eXST?V)NH_;8LP%sh7s%pGn){D0(V{GVk+*V&_c9eO?hK1aex7zuzVbMC z|1-3FH0f70ck9NNwivJ9(_g+E{qOtj)iCKsp%`F&Cii~hbGHsV0PQ_pNJEidGXDK0 zQ%K=bhw0!<)3FhRvWB0YKXfh)A%v#j7BT>-Fce5YRc9nyNEmCIBl&~piEQj5ro)^j ze_hZC^_fbdV&_D_$Sh-+=wsHLsbhpRkpkqFq(NchJ0Itiz!JLp1E!p>AouHTrn-ZP z1>)0^EC5=>I0_x`)RQ2L)= zKRy&)caEYb|9hpJ+}e08q6@eq1eSxNNZ{5a#k>em8xItwQ0&|ksWq}ghUrhPOA2-` z1|ASfzp_)w8_Ymn(etc&O9d_;T#+8Fw!uSpjaDSmgbvC&rPP&I7*sx3M}T7V3mT;= zy0nctCUH;5TKe2xU%J$}dkfA;n&O&!_@lOXHXe&M{ss zRH9W3jt3KGO*C1Sw|&!f!q^mjID@9_Wq zt=_>--Kf{%j)wToMbk0mWx(}Y z241d2OELHOKl@PG#F?@TttIb3fy2pv9NRi&jT(wR2DzxWfyInipyoak7W$=LBGL2P zn7w?l;*8suJik}3L(Kl$uKO)@^Ixmg^|m|J#Or4Oil^Du<8TxdER)(X1ba5^JS_0~ z^Ne})`sc=Z^9J@wO9#(XAvnnH8ju_ZZ{fuvxoeFVuG)y>@U?||~`-A*qz8Gf%$;G0Cxf^aSb`sBvA=-+TVX)=2 z8!Oy7Lm$!#UAyp+hzGseFre6MQ<;s^P_qF{5WN$A&`UkeLlIH@^_J3d$`l%u(9*@i zfWz^n3$2#CMj3ze;HBl$?g!;iJQ~EF+d)|9V%8I%ksqML+eG9Gnn6mR# zwF1o?+R4p?+XI|z9XWS#!7NmV7EJlDuQOZFqeeq$iNj}jU~e;6?vV4$7rbYi+e>r? zn*~t?C1(JU;RLD0ZF#693+HPl29o8UG<=71dZGvHW^Xi#WP3scE6rsPjQ|rdfC9$l ztW5Au4Ud(`G5qv*NZ@uPup5w~`O5qb3r>vLVXqoU0&ei^3YlGHyh?sc;`Uk}*Z>zP zCkV7m8YSW9n*elw;iql?PdJCh)JJM=vj$}b+av;vGM3HJT0 zn>P?ND|P{BMK}wb#=7&79}#&VcylD5;cUh6$i_p5_yu75Gd$dvMk!Ri@5_Sv>u%_C zk>Wvs+VSYnEc74;ZAtWsvs&m1qXG__j-ODGeg^$WmDg0cNb9K`lA5o_LYWI*&f(4n zDLIm7bg;Qhv5V*r4G!{LdEJ#>oRQmr_0>b=Y*{IkCw_PK>KB|eqz4FvxWJ%b-TKs( zj`2tvycBX^=A|;^ZlCXPq3DKrRb10OT%xOFywNOL3jl|0|2T3P9SMdx=daI}DuH5^ zu8xrE`biWJ3Nv9GN>G#+4d9J(^{w2AM;Xro%MS6tuz5D?(>)FcM4i}d@ z7yg#4=9~rdVII4*xwbPiA{eeEi?0MReBr|OjbHbQqZC23PfMSmeu`jv%Sv& zz>bkmG$cCgV~NCTXj7_RLFOXjcUpNuFalDrTnZ-vK%oSGQNrNlP{2MoBY}2U8=Io4 zHg??1-K&{2Pm~Q>l@Of=FeDXHo{s02TJqN+yl;u|H+v5iJ#Wa&PNbrum9@GPb<~)I z2tG5h^-oxq#GQ$hlL9kiP<-9f%}#SwzNQ5LIxptO;%YKLqK|!mqHQ27F$Q$NozPIh zlHADPR$MqL*rppcG(&wb>t!#@Y~9ngDk^$ zt)>diCY5#^S#|19wa>~ej{8%$)pJ;BszzPu3d$J1DOh9I%HKAAbs0t;i=%b zIjJn*VejW52|*_s$`yMH+?*{K`pL-MC9uOyLr)!VA1ma;0}{W|6TCzJnqj_LR#uHR zI^ml$;Pf>Rqd`99U6R7DQ`Dgz6XNAyATD@;!52Q^KXzoduVe~uzBq3MHoLe399tUJ z;s=467Y}!O3YexrN!RVv{b3NIKl-$9b>_~wMTxUV;(fiabxLm-gF+oW z4gbP#uud8S^ZeqkhUClfK=I}|()y<#dN2XEyq{ww^G`2+RoK889-D7yug^izATu0k zJsUuy+bKS1$LECG$KG@tIW9B!2p;;xe8J%{Y=}4fYb)?{|7#U`C-r9r zu7mvcO3Y=IhA$Idhr$O_1^~jIHIUE4_aM?ZT7BQkOP|ZI_lvwgC)7=-3M-D>`}F7$ z+9v<;<<=MS`KTS#E19k6lWMq^`Vb~7uNtUO(@bMTsHZ*#lfjY*CPKg*;O<-|&M*o0 zN_{g^%1cB5?6_Er+o7hDkgJbNS6Gntxm+!R_(Q7N9G2fWf`1JF9G`(;>T;YyQ<+=* z7-3+zbC*=i!RQjqHp=D)k$X5`T&O@#A}y^&7aPZO1E}D};mfz})V;{$^@LEpz#ir4 z@_j7>Mrj&_X&+Ib*b07=Za_YqhB6Z9zu3`?k>{C2nwwJxE-08dQy)qc6gs!HS6n5w z^t8|NNcQOsxpX*2wB4Nr%6Lj4Dir%@D2Ugcg9NEsrj&4!{wPg(O&*xMV36!A3nhYF zEaIh&w%^tpYRy){XOqc@Q_s$HyMqi6d+gfSgj7!sIflgqc zHa8i%VZAs!?19Y$s2Q;$w;OP8qturv zV74!ZvJtO3gmlEyQF;hjfNB{Kk!#LIuc=+X*D~x}rbW%EekP9T?nLYAD!S<^FFzAjukn@UK@|I9#T`=`( z9Qc60CJqDkyh0|=8*96!SCat7^{oTf(i~=nqfy1KeUiVirbDyo+_~$LQ4E0k29Kf5 z$m4;0%N*47fQDO2{zTn~*JIOYtdK||!~dR&W0LjZuNKw&lskW>^pOQASRK4Y;{@~4^ zRiKYmQ2iJ=acoToWM4k^EfD(e(CrAthu^+G*#A~#AKFMuEZXXF+Tt%!Wwc-E2BoUg zR5u!zCK}(hYMbmg-AX1PW~_t9yZ$6mTZ>F|t|0_W0C3Z6e39+^cou(t8ZUrm=`4-| z0L%KxSIO+s2}DOsZpl{!ty7$X5+6b3@Zu*V>a*b*T)LbQW|G67)=y7ktC}(nt$9K) z`8*gS=m4R{%_xmG#zpK%MZzND2)Ke7dDB0}I6Jni!4!Fsl-He~c3TaxRbGnqHFw^r z(9R;?sA#R8MH;u6oAk7X>q?syU+eYhQ7aK5-E@_u0SvL%yD|qKthHHRs6UceKXq-; zR(Mhk2hfm68+MQxm4-dtviL+UIJgZ=?@rF_x|wV^92HF^MNPfnrvk9<7XKWqH_~+Q z?qT_N?aTES(bXjzMJA+zv7X|{VFRyc%3m5&2cG;)eU%bp3C z4l92CZB_P{u(eyKfla@Y_Qvh4Hdv|~T#;*3;FMOZ4WoUBNHUWM^BsV_`7U0@LB(H1 zvPE`oH(%^*UyHkV);G+5YibFgE^` z&|%ns9E)F>!yoQkE=AE@h4IHqm0NHW45@VEzNE(pUo0)UR8 z%m(x%J&+`M}^&yPJ;dC&CsVchOSu5UJ%99K&H`C zGZ078C$~-k$EVv4=A38To(2aSB~3dSkZ`l*NY0TFA1#Mqt@f%S;|XO<0ndKnWD-ck ze&K;|c{=B7hP^@7R2=(kqtm!bz>DM+zCIig1}@3wFO_;3N18dCiAYxyzn1Otn1P*J zID7#}OTPJ1H;144=B1)r7xj|FswQ2Al2%4iT??J%^<3CU)VWxN$kbOa_@(B!lj1)E zv7hlY^?a;9E?=&TxJ7s2#+Nn@*%hY^eV};doh5u)Kn@fx4$xEf{yf}jyItDsEzE(W zB!d5?z%!hwQ8V21$k4V*riDwl2C^T;>*Woq7`Z*ciJSqd2^9pLy)&E)Kf%ySp+ZC! zEW%tTpVo;S@qPVl+rhqL@^*ryo4aMST@jWG+PL_7Sryp-o+19?zOHIff`-U5)sAO6 zO)qLv`Yb`(p`sqn01~{&b;&B0eth&e=!1#Vm(~MsD}zff`al;k&OiF4zuj=$CpXkO z;1KAuF8xZk{mK1Iv+FO~)LW}*_wa|(6yN7H&KZS$6_X?9_7DUF_W81aKp5Xkc_SUE zi)E$#<(x}E6btf@(}KA_p50T<^S*Tb63vp8;#jVV{NXG#bE00IzJC0$M|p5@mR(w~ z%Z@KUgPZHw*9~w397z7DVqXD{I{-mec9iBHbV*g5F*?*8S{++dP#yi*rosy4;Yfsd~ z&@*?-Zw7yKmL24;&psq}V0)mR;sEkspm(s%V8*A3XD|ilX3Wu0p&un+L00O|G@4c7 z`WoitdW_iZO{V6`yX&;(YG4}SY~QR5h0q5M!ldwEfG1g?oW7$@H3bf@g`fo5`RRgC z1!_`tekGBnC+enq2UP_V0^A&&_`{=CAa(N-k1S4jIA>|^yGXfKacqPv!>r1boguCR zdJ|}=on%@5;*4jq+qgCm;2CKHS(|VUhn$rE#Vb&!(JF5ACC&C}$5=A|iQ>7_XHBXu- z7Al{Z3fNc$j#%G}5x8L+(N6JgwaHHR4(i{teVGWn#Q}>RFvwv7$yIB&JtZLeNLDo> zr@lW{KeC%SBUN{zU{~NSC3vzAIK4k3_y(e!LThe8I8vZtp{b}1tg%VO=y*R;m_B1B zV5)9zjR!rC7IGklj5|NpXQf)&O>o$^zx|b$RfOHR2vSlfu;KC1uWZ6 z1FwW-H&a8NIe}l?PZ?%t?@Mv%Fx5TTqn$DPe5pi<(f6_1OA1Eki;fE!t`>V1$JaUq zKQ2x#Lq8t^#X^jrc*sgvHFpIPe}Iq*J)nulO0xui0OOLkZ zQ~Ep6x1NHT$Ex49DV&chBfacrIy>}Xt{tvOkE$(n-!5uH93M*&@D;;^11Bz@J&O~- zJOK!Lg2Q$W({1_3oK=s$%SLrPZguE9IODl{GU?`zQiDoU>Vwv0`ra!SV*m9YaxX{N zzgz$4Y3}%8H-BRN*q1{_^b~j^uWLS)T?X)_0CJ3sQW&SRcW7hB46;$e!wIB9-xwunB-u?8bs7l&gsoOLA z7{oY}^?Y6W>y|vtaL4O(RyfA*>+cmtj5IVGR)k1QZ2GJ%)l3%*P5bk6UzA1jp5f{A zc!A}GxszQzjfm@53AaW*Swh+-l&j_jbND)uPZ}Q;*LK~x$+kx3Si#;>!MHIccL$~;R&=fmI3E^skU{2rjrSJvf*@V^uN1bHYZ#CAD)X6yt{J|maoF8 zlLD%b+2+Ss4vj+o#;9zk*9k{%VN@`w_5osC*wb<#QhxbP8eHaD3@MYZxldk^&z+hI(sLl1gW%&f!_e&l6hj=1 z^iKr|p_nYF&0iO~u;_(lyX5xyQe2^pT0u}D2B{+jck2s)h#7B&T9lrc4oQXA4U#~y z=6=qv(UbsMno)4_3?Cr@)D5aOn%ohPrlg)@1(#h4Avr)~I=skmonnwfbABvdE_skB zZqXdHBjiRH{|bgFh0!0`F<-b_SV_bKJ%xNLyEdIn(Li?_?BIO5rTC@MVz;A9tP#PZ zJzQeW@#{fQkd;It^o68J@?Wn;~&(qOp_?2R7bDGcUwy@ zCM!s1iA$F)otw1ud1JWfzPgm~@E=d*xuvA!T;yAtxGZFa(S2PI`#VOy+-mnLw7}0N zZUXJM)+Bc^o|AIpvK8hMhc1r4#GFebVwSI1Nqs%^T%;>tInCt)4WcNHr^*6t@>P1X z6ndMf49%>4oT46tunG}@5QoJT_j4dJ;*vl(BOl`*R8pp~c&ErykhWax#wB|VDaH4F zcwBmkdQ)M|ZF}iETCtpxdQnSw=1y8vAuChm4vJ)<9>0>LQeDqsIsz_V2w{_HlDiGD2TZ)uF7WmTi7S;txuW(7X$_#fH)~>@_BUL-OMOJvL3278m)Prp_JY(6f7H zC$Oe{N*3Z3#-phn`pp1y#JrCv+GRb11y=U=*Nu?s`BvqGlU*S6uR5yn?p<>)Aln~{t@Z}rl-nb!boPhBA$ydz$3*ixiFvV`+Fo+XWu#B`u z1mZhMz;}-zm$m9>b#ei+M+JS1R54llRX#!9laVXUX?Yj6BD=sw!X~?<+%=A&vlVXq z;$)om*_D`y-|haxSv7MPSxvssct~sRPP>0w`(Ak=8?sz0*wGvdJ<9GVQ#w86kAP#->~?U#P|Nz zGVjpJbLH?3xc|f#9`Z8D{!|CdG#SlfQ-F63RbqK3&}+^tlPpD=Su!zw+LtAGGR`yM z-!f4OqFR)+Lqs!NYEQC8R4VKXRKhKP2QX?eqQGEY6YU^0)nn-@Z+Gg2|IYIbE<1|c zc5&Arx&lD}q}wg?iqptG)7zHbr3!m}wT98k{la2hTqRl-N5w)G?g6%sgGW>z4 zT*3|1j!dcl(z7dv3p(znaoz@`xsRgnG=uKlnav3t5|oXxP$0f#E5vgisC+%QT z1m){>(Tw0F9o$d;#Tli(8YvR}9K zQhBhd+*iYG&X`8OzpPHt=_5TAtzKKhFK*mfoI1O=h52wwbxQIKVxmZc3g{J6NB}7aY@n&4XlBxIwTkM8?;YD~wek+?ar-gk zFqofb!n5L#*N9zqKzQy}+bt?ogop(W9A`TgM;Sv`a$qVgu;tq(~j!2+rIY^_DgvgvT&6D$%z6OMX$EGfZ9mB?vRpq~^qPrx_6ptB4 z;%T$c<>IQD8MfrDip3hyrO`L@m?!=}_(V${yhTHh8z0`n;Kzs$ zwaiNIiRy-%ji+2Qx~`EQ%%A8ZB#pgi`2?IJ=Vq~r?6FV?VvP%Nc-N1mgn_>2jQnL2 zq4Gnp9EHPq2cRebe6WDGXB1#*KTgV4@Zoqzb&Kb!EdYsecslDW>QZ0? zdn2G*4N`pmC%^Ts;Zh*d{wO(-6!tO4hwZi0 zAXF(d^^`L_k9L$G3Cx=^4(MRYl{Fv?TZ!{VGQj(tDls@JGpYn6u%E&ynW|s(PinTg z&||X-^-go2Q}QYll5Qx)dnZ#f#j3qs3aKx*Jq#I+N%2#2Bc)2@X|@A9c9$eaq#A6L z3dVqpi)o)4oV26XK8CLG{k>+jLfvAfLrm%FboNdI@vG+b`1>O}Z{)vg%4y3AI(XI{ z&>DY~$hmclTu6ghPtcOXuI_n0aaGKY`V9E36EuMX$$QdI>3Rcl*qDRs-U3-00+7xR z4EH&Gcz|YrC#qsqEECxBInq1<6orl@UhY_(OnGYhuez~IPfi6D5<|$!$u!*Bjfr56 zcPdeZ7?c#A52FL|9RPv(A--gyb_1JNgMB+zdHQB;_(AT8!d}JzMgJ{5>6?7sP(QkZ zGK|l$H?uZ?$p~%MJG}@J$eUzr)_WwR7{!Q+fRsdU%3d5FE9rS7ndu@{D|C5eQGDH+ zY7v|QxtTKQ3uo4x67r^qT4(da6_FFhM3!RLcqWP}%N1f2^Cqn^R%>3p9fZBYvY{Pw z=t1DREfOLao^)DZt-X&^mAkiZhwpnaOk z{1ml*JE~q=BJ|U7w(6!kH#9Hg(BWq=IvKV*f+zBCdh^q5E9~s}6$VRg zT&NJ|k3m~UWh*V!*^Y?V`^XK_0A6jD+SsA9LnQDdRi4rW$swX)TSmw&7O}gmyVM^;2TAd*VW9NnCX`m{6dS54m2r^t0);cUh1{%4x-qM22Nx;=j37$ z#Y0+}G}`9dy2bz}{btC{Jc>dSxd57UpS699O~wE-kV1@*N8=dWGj@F<8Yf(U7a_5- z_7rnGwng$l7g;kd-Zs?!joJ~iI^!{jXC|M{ztE~mHCv-Z|n5>;clfn;m z^0cycgkKfX6J)oH=!!yA<&Dx+7@jV*OUGHXDnJ0A_{ii}GzCt(j5G5)9@X0W;UZ5x z(VKq2v+*m9NRm{^(Wjf{`J5bCkXd3sTr02Z9a61ciEWU-8l}zNKqC`DxSg#@E(?E# z$%`E01%`qREgVdGz>LPp^QMnvClyCFsWXnx&oeT(Z&B$Nj*lAqM`L)$sw<>!y12>4 zTwcO2{&T?9Z&NEZXlMqctnIOI*pmm_#T`SE^6c#54D^p}rT4)&FOsY@bu&r2xYGfN#}#tm~0wNX_9rQQzyR=AfQC@byGkP*F%dl{h&X$V!zM9vKKC`t_7Kj0?pMQGfZ% zt!_3-_kHL!x~lBnZkL+YA4XT$Xp!mzBKdVU142Y+qC}ZvoybXUSK}D=w){ESR;e7C z45wWIM#o|3*cqw}jQn}My*E1hiy3q5@XTHQdfcQ+;O_>dU9x$WPmi&-JPU|eddEL# zF2SKX`8V$E#dRjF@s$E2N1AP~DPHLC{@s3NJP7=^5O2b&KSL-;RP^HRQ3T_Lg}XNd zqN<`tLZh2AW)}t4F)^+WN<`^68Z7LwF#&oarm$!G8Y>bT@0hd1---&e9iSZ>0`O7g6+u zuDAM3b7|De%KAKX6V1*#mX2((f4Iv$Kt2_?q4v&2pot>3v3kN$P8?f>M z8|yhliQkHO)tK~)B=b6UjXq*$F=L$x{fVQ?BsGfqLopfzPd{66pH?I)vmgwm632* zE5a)!=nb-~1G$BPuueWBDnCuo4kGuhuipI~?RUQN(XA%p*yrR2bDN7E5cHmjU)TCv zJ0KE#c%H6RueG<=rS;wKOPF@By1Ed7s**^DyK9^=U2YL-`%QkMKTioe3;suLo4I9R zNMuFaH7M8o`r`hE;nPXALrPrn((fn3aL)%bsHpQ3JgUn5-NM+YICUD2c~3SLhz<{k zUp%G$`Q_nld z;&9|C$vpK*VH4)CFpB+pAj%Hh$3IRKZMvmh^9iR-l3=n77eJaX?eDvfA^7Quz^g|b zr3VjyiAID|4y*60-~{{> z!2jMi`9$4MW85i)@;oi~y}Ckj@E_gjGheFOtR$NIL%(spq4XX8lO6PxgK*5y_DJU{wt5wss!= z--Q+d8c5MZoQbpt_g%T&({skm{?NrGt#HxtU4WN)){5=~KI0SC_8 z44g)1*rxmfLTwaR4U?$p{_b`iWY52}`>Qm$o^Q8X5+%l|W|%?#7#ds7R5X$;HV)XD zG(vGhNuq7?hYhwqG>&C`hzo~pE%EouVCe-?ijTl+gvjDY+Wn6lneB*rnRv2xe)Z$m zVu5N@EEYsu=sX)u)<*}oaIkaXqkQt}G5PY(JC-f7giioY>bNLaUKLl;_*y({ZCeCs zJGi-|Dgj~JD?v}h&OViuc^SDm)88H97`?R6`3J6tzjx&5y?^MJx31gDdDva(3a|{9 zYrSN{`A*JIKcS#FAolOq)1)wT&35c$G1=Y?GScQA%{S1Mb}p8W&x( zLtdF{P_=R(lIf|)trtq^kpG6Wo_~2~9?pAOMtUE54lj0jf5z^2hTe;3K@Y2~c+P)% z-r&Z2)b~P(?w7ZVU1=~OT^yO`aNMrhF!oQ%g+#WqI@sM^NE64FqS}CA7>^1RP(|L>Jn0-(?V(v(3s`HV02~)mhMww z(u!D15ZsDW@JQ&wl2AEHWQZ+5;-65oRn+es5mp3ASlJ!@n?Gl#ro$e&O02XP0xRlu zra&#UoZ$$O8HeucaP0oN(0NqW*P0B>g;4oygQ4cytC-)-@|lW-R6cHDrP>6f#8Y=j zDK?<+I_`}Vn#=;i&)|nCc)-KlXEG6TEht}>K z8+*;(b#L|dJ8}1!?K2PsV5asU%mME4mpTF)((?SMJB985O-;*ZPwGV6n`om)!3k`Q z84EXh-UQm{Q#LM3Wc$w0U^zWc)rw6oam zps>#j*im+uQeL6n7L$uOH0dmf$?_b@lUQ0Na}g3qRhO%p&3>`jVr9*pS!zK( zWFD4t8`8>;{hQmq*&Xd#nk#fTckc;GY^+a> z_gLsGP6`bmEo0kHC(ll&V}|w>D7!s_ICIrC)}^U>1Wm>sMlGjuVKvRFRS5o^3D&BzNJ?sFE=0V z9M`)FcMrI|akE~RNXDa~$D{+%n$3tS%xGXIrKBpLeD}e~la~+3tBsRbSsNv~z zjpnK2$8izCoFS71s}ukhgv|3C!P>pZc2Haoo}+tV|6-YdWgv;bxjwyys)2kWN{Y%O z({p-x971bhmiRP-2Q_Kt0DlDkf%wXkpCX<7HC&DVxEK~Cm z^sYnP_mRMTd68cguisTeY6e}x&WJPYA-Y1eIST-&Hx#fHkK#4z>fk>;>8U>QET7># zjT8LprgBuiX=>EwYz+d9viX1x`%#mu>BYMx`(vPby9RFzv-^|`LNEQR$KU;n{+!G^ z$Pp4$8#x42$;(jgT+3E}dT0pAodLC4bhdc(4#=KtQz?sh0QFSbq5sShEf-d7O@1HL z09tq?5ixqE$|3fYv0DJdCRLf>2ZIF14<8M@)rtaD4oUHcvJ6ogH1mV~kS4-@=QD(` z+5p>6l0hd%S_S!;(+NZ0Nm;g$b*~F(Fp`ao_#IH7MY9Xy3CkcK%0lH)&9(Qa)^t0W|3@ZCE*%y3+q72v5+bT6%Cpfe--(>jmA6p z^BSiP2{=RD+?5MT;Wi2QpvJI@Kq17f@)J`Q&(&P!uFKwDtDW*;2V)`@p2+Q+XK-`7 z3F!r5AuZ3%K-hy0fpM{b72c!KNeCbMFXbSl2#vUJ<@>jv7-O^Zlp05;v?r#p0mfMu zB{D?$k7Rpopj?D0I9~5^A*+V(9al^9O+=nd!+0Y(lK#R)K6NfH%&7T!1*<|R1`8tZ zY^o>J-AJmJ5E3j_g8ITk9rZfXn2CA=!2wc6L?F1A0&a;~7FSfH=fzoAkF^NE{Ca4| z7n`}qv3)wZIMD0d7(jhjsQ~Ynju;LIs1!Y>|5yk=D%<74<2z3el+K>@lacS0@b4;; zqj>rsIV|+l-?g|DJQi;yq2Qe5IDI|~CM%I|SA=gY$(oD&WPGvs)yEP1{oMww>=jk> z|EABcpsaV&@A``*t~h(zG{VCpPKG^b@tCwn*qdqI-||1xH+0D!*O%b~rJm7V(SKgaJ-ysXs7(y;C_npNQ>K>i_(ctXA4UJu5M9NpFvSqnA-FX< zlzheQ)a$h;h~C9LDO3MW!0FTQmpUD=qt_^qrt2)d3mp}Adi9ge^P{q#q$5L@Q@927 zs)j%6Dj1f7V9ifGBL}r_a_OZzd~BxewPqrCi3-Bj$7cWb9I`rBAEflBIkG;VEjAJg z=JC;QHJ%}BAxS~)N?sGjlIlW_3j|;mjf!`t6MWAVWxAS@^KyJ)Yb_j9uI5MwKdqp` zzo$QU{MT9jbHCU7#7-anQ~B|{+Ci)I5w$0!Pv;<^d?q0uyzKp3%KFTs77a^6Yf`g5 z-IA%+xlLCK4!2ASAR(GtKb~~C+konm{M?+PE^r@DdLC~hepVbD@k|wASgLyBm){!! zkPnBR-Y=$DDJmh-SF5!wN#+iUA9?|^g8vN?U{^besvmULE88}RHd3Txxm`ns6E4V@ zMivzrpeLZx;CX)L66fk>;Qq&uyXUzVWRh-oh2Jw+6yF+ZKh?v=lX)_*4IcwC!rx)O4 zI`ctmW%`^2qAOa>Z>vj-rISp=C(=tJ>G)`C>ColvEYNwes85(r=dn}qj3&W2R$^#& zMbPNy&sv(Mj$h_LJKSi#hm;+dARNuw8Of|v9_CGlf2TX@gmPPer*47Tu=jmP)xD#9 zIV{m>y3Paa0yS+1qo5laKA6+63uwL}J5Je9^5ag-jlf<#u-*$g13L#G*iZ%Ssi=5> zY5VZ6zTt?j#-Ckd`*XSbFC5O+A~fCO2+RPEPjn;7VDsU9^MM?A_Hs=s6Qo z&d9t5Ge;qp>Fa;b)uAPcxIP{QKtr4H%{(-Scg-=E3W)4YM>G>}4sB#x<>hvTkB0-T zK^<)|{1{tWp0VxQc#eP%TTY&0I6#u>qNOxPr>#S*Oq+@@TW2HJHpUg|BI`j>BQnP~ zJ}k`Qijk}5ASh;(nnT9Z$7|j*q#no=UP}qjm7bbSoHQBexCN{w~0 z5i4-(fU(o@9RluGqYlWT2sU31>c(!Qa|AtxDQLXW$tE@%=uE2u)B#|Eq@FwqBn3uJ!G>Ats!^d`ljS7gpw#51Sd_oq$-5DuODpqxj>U6kjQ(VU$Yk-rC&acKPn zqo}5LWaPl%vla%-)7SWbn%_j`ZQ|ygzkO-j(a&eWhAiQHY;A1KC8NOhpl|){&}TDE zdU3gsmG^}7Z-}AyS0urR^X971)hk%G>OFx|T%u920!@nzlV+%&FxUAvdg=j{2Tg&& zNJjeW?CEd9M>mDcOMK0`lRy}hs7VjLoBX{j?p zR`0Dfz;A$Hln;-&{&{N8FvIKM;#pIl@z%!xRAu^qy^q7x43nxxL&5w3 zrvCb8X%XT624RP~=G$<_=F7)lbff zjs`oVB)w0^ZRR`{0xme@@_nc8a(NF*A&CcJBrWW>AXn0z_f-ycK5E1Ql(`PQ>!g^F z`RGj)GUe!tfL*g5%^aeUN8JOvVx!P6f)|Dn5133l>_T*%#VpiFc7tG5Bj`+VxSOt} z-ATE>Zo_@pIR5IJO&WSXeV3B38wPt3Fw$07T5QBth;tB%Ga8e5Kr8h|sKHqHZ!MCf zlG~g3Tn^qsG6Ug^MP6`6tT0=sIegwlh(5JQqp`4_P4NJJeO{*UZajjD#n9O@JTnUN z_8nv$i#?723@EHyqeK57PWT zD^dKLki!;CzIXP$j|TQs_B#h6k9mZt|09(+lslDhTvW6Ca+soZyRsOpI?oAM~TuFIQ`1UH*dTEq)IO~eeAR}$bl&+%jMUWZ+isABlENJ>GHGAHGezHX zf)2Or^8ABjj4zzMWO+7iiq9UaY1#uh2M`MjzAN0Ib$}5hCJr<|(cAMpr_MR|oUD31 zVE{&vRS=H=05vC! zD&>Sdu+qCSzt1`$XCY$qkjJ{8I236SDXU?%Bw*JqW_R2pkPLUYQnWxeONfve^At|)%UTo`30r==61;%&E9XrI>hLl#Iq428I3vJD+W5$dvwl&z>Myo}Op3?* z_+)spT*NfI{%3K)M|!zjK{ww4999uI&eQkb47){GO6GyhO-U(9fBx1UJGmF3|AlU& z=%l{Sh^crjtG3`x+G|J%r7suR zCs1E8A^O7PVTeL)<41$PMAg^(&pUSXhPw10+$3D6Gw4CnnYu<=HHM88@B1hvEr47O z$JajIh`K6JThmHf{Pn=t+VXG&VEM}IV)6YG-GRMbcPNq%B}x|O#^;i7mA7qiZN^i* zR;CNAdpy4j>5=uruIGNZ2JL$BVBEzdt}QGe?EXI7i%z;N`9AE7SVsb|L?s zP+9xfb=V={q&$L>nRor8+N5&AeEsPM3GWphHMQpWKufBLwMrKse`thPvMN+rz-0Bx ze~Vs94hAbAB|2Z?xy%7J%`j7R+p47988t-nUBtJDt^$FaHWg3o!IpyUh z=iIE#y~&4Pvv3mp`y_JxX~c%!SdfOLtD<<{=9=e5E@AUhn4-X2-EhkGT0AxCGZl)a zLESG(Jy@20vvC*bJ42HNuT!h8b40{ss=EQ`)v6+sU;j-8Mi`v^mE6a?ey{DDhU1IO z_3?}MMrrd;MR=#&W}OfoNihkL#|NuC%ae&_zRsVK?_Z=H&rvUn`#ybk`TG2tNneZ- z3W60;rpSIih&>^68f$fDMoc~$)sD-vByOnp4yn8E8b09Q6#}Ijmis2@O-UE-?nD^8 z8a1%t=%QILzVIZ$SzhHB?rk;ryY8Q}!^V_gEG1AHs3iOD)SodLh5AOiwM&h&*!#fukhgA|uw#VPLYPSE1T zN})i3;#PvR1={92%=^xo^_&0TuDkBJXPN<|JNz4kwNJf+`VX&m6`X2R*HRLMf^4q#4#zHYzSF$;8ZjYi9aU)BU*i#=`GbU3sDM#D$ zVtE?WP-uF_Ry)%cRDt*DUS zi?#&5k;0wRa7EN$3LC@v+lQsr**}jAD@ArjRSrB4+AH%fcL|9e{q~Dqn{2@L$ip^T zF?^vD`!>FQZat+CJYJI$a)PMX7<6KI^pd}@Z$`3wU&zaE#I!eG3?lga{jh^~g!Ys% zoK%G7cyTW!=jb4^nc9LQ8q8o!HF}ihVFsm!a6IXMgt5w`AJCOcefg|J4OMS!pBsk+ zrptzEv_VqD_?L%-rV`tylbK{C6Ng#)-wBsi4J00+0BQduWn2TfpC+WbB9G8oquAj? zlXAC`H7u~Pj-jb3JS^&yQ?o-9hA}!PY|=cn&4t|RWz*67+Amx<9yOu?{8C19cY?q>D#ZX&S zZNZf0CpO8MJ`ab>pp#qJ`p)x_+9ZEuQZJ2J-eDQi0Se7miE&8ZR z{i|wuDf}`LIuVX3;J1tQ2i3*Q5P{Q^uuHt0bF!28*>DspHH9hf()r6aU40IIyk z-RB_2=b0ajhRqpf%=zPe!LwJ!E;Dc`MtJKEGXp54 zV40bC_d4W~5n~uRmyR}=Q@rw>`+4@kYZxrIby7%+>EP!j!G6prhK2}w8@wq-u)?YLW^ZCr_vXK9_OAz zRs90ltgRo#w)b2l3g29X4cPUpQ#Uk69wm9Ak6fQ$xDG#Y^Rm9>+R7(plhlThq1RS6 zxDIdw63Jo=WxTsk9L4XcJuB{S7JcRo)ptg?3s1JgrX6VSUrVcK6ytBY)L?D9`i1_^LT~3-mR4+n;B`X3e^}Q&@d;46}-Z-Oyy~ZaCf$lkVdm zfyb$QeEoQf3QNC(Cys8|o(&5a>x$1u;ZoB4!e_U7Dc7HB^XN|C~WBwq|TX9*bZ6A)V!>uA(Hs7fcRV zC0szT4j|753P2kephf2voOQyl7MNp2Xu{ZXmTUmHks&I40K-xsK2ql1SWh`~oc0vk zw~*;@@jtf=g@0$)(*OOj8|fYw=AQ0=ox5X`Q~dfMDk|tm8qW9$X<2oIZGg4ChBmE4 z9#6c|;_~o)_dhQiGUkSPa`J zbb%eDB7*zS^iU0^4<=63{)!2~a=y3G~nB#ZxP67=bEW8F*@QO{>J9NM{&obzkytT3zLc$pYs35Y?{v zkxBbh4=c)-nJya+lwJaIcp;1b&D6#cM%KUm=c$BAt7O}Sh+-D~N=I`Vg>n#$*bMiz zP}0-L!|pi6)Vkgq&*6tws1zt?Iwq;Gd+3rGQjUtG?RVK5l-0yPn1{vA(gTBTn28Ku zsnipSQ~H(RN!Gqo(Ix!6dF4Q0IypxA4Z6_w%djD)VpVTKDBCllg4(2c%I3EJ%V4`0 zFyeE2?iM$o`^Q0s^YgXzzXAX-8x#o9008lE>$_RS35U6H+0YchtoQGTdkz9zg8J%o zQ-#}e7j%C3n_IfQXU~}}2e}W~zq8hyWLOML;n4tq_t^sS-bV5rGnP{6E8Ej`m3vWN zyi>Sz&Mo9DXYglHS=v9BcuQX36Sz8Kr(fhd{Fr$nes*FTx5VLu667`b)7#ojK12bcVe%zxT9J)Z$CJd!q#Tta$bl-1`IAJ5A-nFzUmL?n)i|vMSyu0oGECGW zET`GpV~P`MbO3ufXzEBiCb-vk*=JkS{FgAv@n+xH4%Aq4=+3Bo_zcY$PGEAep6+|C z6DtSpB9KA?(SIoEkPJFtt1o(#1(&l!>x+B}wPE7D^Xo&iMJFuFTxD%@M4;P z;I%}ZA2G0wT6VG{TE&R#ox(a*f;zc(G2yv@VFR2gR+#SZw`BHc`O!RicmASC|M1`b z6WNx0WdIbydWg+5-#oOKgMLp)Z8iF&7veEcU$jF<Ep{=Y#YHgK z6G@^Aug4|EA~EHk!JBX+`%)HJe>@N)*z(SSiQQ4ml+_vuW`Sd%{{~w!#-I1Rfi5|M zg865T@E3%X^34sm$<^@$owot7s#er%g`QMqi$LmWn5aFr=pHVfMcO`PnsI{b{od3X*Wu2O>p0IZwTY;-_>Ca}q2$3jn^ zQv^Uo4ITyTSQWR}A*UeI-&P6<8Ptift{-D7%y?RFU$?EiHrsg3a~3;(|C-y7hj*En zLy_a1h~e7@y{B6}pNBYPrNCmfo!_3qx~XBrhF+&ZXt$c@nJ9F;P1w3rfz!xfR8e@j z4V`mR;+*6U*T zMzadNBP(6S2&<$J#LA2>d8wM|X23npB+f!>oOE#hCnWB0x8p&!-YuDWQNnxoO+TSFte^~tX&jmfd0H!1H6CZR3w2>#KCEuW zd@{e<`#cSqQ1Gmw4|qzWcu1oQ(eQlI$WX!8?16w`I@^xeCg!m;QW<7FFUjC96Q#As zl)>remg503nv${V8YKz!8Q-`v6Qt|-iFOZzQepRnvra=?&Srnxh=Xx?{ zdT%!B)u@s_ch##U=5J;zjMR7_6vIx@ls3ySz(PbgWmxp%A$*|l{P+(dNr}zy_e)Qh z%^FQyPpEJ-Zu-vO3TIe$6qQ&aTG(P*{&og9K5$V(xKWP){v_ud{eb*SL(t8&a_r{EP}0qlZSvm zP|#jN;dSq8(o^%xTG)+6)T^)>@(nZk+JJabaKLkTln~$($7h@i&iY#XOjU&UTSoiI zh6c;ZC8NvEy|gy(NTQZ?qmV5~D$&pY=gt-%&IJ7?tT!>N?^Wz#%}um`eQ2xk2AX+l z)itfSc=mXdw%2%? zZ;DL#Ri30rc6MxrrBY3=pyi)(bNA1aZZHc*%*U82vg9p=l{$J;w<3&vX{v%OL;+Z* zIJn{ll`4)Pl}hY+#>pXUUv+NqhouUvmnuexB#FOe2U%)?#4Z@tE;!)>o+)U4rY_i= zg)`QJ!&?J{g>5qpQPezzN7zGn*l>s7p%ccME6#T|?CrMVLsydRp4>w>8$~whvvA{M zB7^>t?AS;2-f+HxqR~>AJ#uwtnHzS+^)Su@I^jK-TAqF4q3akZ+jTZ!CNV$SY`q;O zyT38>4mmylO+Ifn1#4Q^xq!ZqneqLk^0GQ_nLfwLcqX)%iQDRlDl+VMdl-QTN@E0A zb@r8M3P?n-vJ|&}D5MgN0%OuQ?>|96a{`wXOfs;Xy`|J_(-(s4InWi}YG*Z&Ui1+* z_%SRcZ3K5EZ2lwF0L+~_T9nY0v3Hv5-(W;n8#18{A(iewNWdT29=mPEW)Yp4(jMLq z$%Y2WYsA*+bZYL@{w^G;y5yGHR0^8do}Oq$22 zfQ@VY5|8!j8a)GT#FV0$6LX>$9>lKSR+Tu9QiXhcnBvx~2w=pkR9D#=| zw1lznRX4VB*IY#hEhj()_opB!7y)swGW!CD;3O|o>AD<3@i_t5S@zq9g68Z^AElbM z7m7bFqz+0IukLg1Fy_Qr5O6c-lx70ypIMLql}a2SD$nbzkWo5Cy~vWtr*rw z+$N>vfuEk)R8WoD7(91RNQwJ0JO;82o1_Ci{gp z%6pAqGX^|t1{NgvQo3~_NZ@4(`BDn`+UoMQi@hfru{uH4yfl~LdC_}=@c4&`yWOAX zxNj~tE_4YBFYM~5_uxGA`sN_;OZYoMIjXGgB9ZIOhyNxMzx|3}f9gHg!4{%_QV${?3t}P&C>E~zH_opB3B~M^RBRpRN z2*#DDQx(x3pjZ`F7lgEZRTzZ1ad`Pg$V>!Rvj*j8G+R8FfhckVxt|E+lRK>iEUy@9 z7o|bJ1C~c&m7e{6RtR^+ zXmspyKfNWXjn>~+o^>h4JX z;jc*R2$0At4HNa>6AM4kj#yG%=`6U=K6=Nop?VBQD0ZRmn9<_p1QCx#4H~H-D-=jh z)_XE3z~5U6S4t^8P>ZOhbSoteyC-U7z$#$o)N4IGn3k7S)TE^goMtb~fKu0K(k~t*jdQUrp z_}7NEKI*GS26l_gP5VgBjnfEd8$HeDo3 z6i*kpEnMK+_>gX z@0qe@{AcP?)Jzi;vALCG>n%=DHPc4A}*TcehqpG$lWogN&bAb8f3nM2Clpw4kYptw7`1X(bIbpTS2RGvba3e zXZ}KSFDIx(Kjevc)RXeL!;wx9PRixr=Sb;3ai}JZd{k!42&X;Glu+}Vj^#0|pC%y* zV;?1>i)WmOFXUmGcv~@l$fR~K!I{)u0m9#BlvYaSp*`)Qpk0k1t%+<6rfoyS# zOl{tMl2QSDpL$QickIT(o(4GydGA%=y zKz%lNEJxq~CNY%I3S|CKhMmQwMH#hD#1JQim-fw)4!GfjL1=YJ&)y3o((tY3!ba!A z@SEhMJ;jK6;N)dv1j@MHW+`-?LDXtL@Z6h6M@M+6)BVAL2ZL+Hhw3ymS4t)Ommxlb z(KPch1_80EeVVdLv{D-TfN9r7l{Q~MaN8*Pc3B>->A1IujZXD3xTm{oA-?{pa8G)i z3+NRi8a=M-)Xk)_L`W*pF179Hzgn=SfuBS+w%y{UEHy(#VAr&XqCJA$E$=y-l+Oqq zOppo+t^47o?G+SvZfJnfI)&02aP{er0%W#7H$!FqRWn{p@&`+4)SBWgOZO_y9J`2Q zu2j4*)(@P~mA}j?SaUX}BiAC~^9s9;K2Jb&Fq=`2!Z0>7_`zhtad^*)##<%cLN3m> zOMmLdgbV)9>hMxZt{8d3c*)+fnCGUdCJ6UZEKY>r%_zIyB(u7>tYM;miAeEzpf*3f zVp@n9w^00kBLGt*(E}#lSu8g%59R={;xCG(3N5(nXIZhc8@AQAQx!Zi(gT^bYn1Z7i z-XH}PiUyo81bPiKx8^*}$?E)Vf!%nbW%WYj z(D&-(CSv(A`I4lPmBeRes|@u+C*s%*>KM$&J93zB-4y05mzd)wn^nED@>6Iw`2EDR zbk=<=4hp}9)F!sgKpHFWCLB#qlW)g3z4m;MMXo{k9^?}R`-o_fLMkF(sEYqm(ebVU zGvTS<#%l!Gj%=9czy@D>C$fW2`QpA$;)qTkb)_s2^zMsogh@-n-cOBFzk{Jgr}_lE z>gk_WUsv=o1YwVJrYLSa`TM5x+Ttf!J$+#`oQG&4q#vBAh%J%`wZT7L9*ZH+JBl;! ztJvQSZ`tuv*~a#gDYC8ej1BJ05){fc$LsAM+MtW5_v`WAzM>IG0@^UDi@o8^8+}G< z6bw&|h?_VskA(}y<--7i+0+pSGJwwF+iVOX0P9Nd?t>ctiJNcl>ZKE!iC&sdFE7l( z&$7*-1TorXT%4$tCfz{997nZ@wxfK!T}h>}KBQ=keKzY zjsB;F`d#z>B`XV+&mq*`4U)z6QMQD33v(}(?`(k_s<-6|5iIGk7Dld#II$^;9Ze!Ru)5jRcIOLJOxARc@XUZ_%T448z?22 zA{x&$6r+|Q#Zrdaa-fR^NYp7dY>iFLg--PtEf7M4p^>px$L-yZNhH$tiCbdvYxatx zEP2czC3C$0Mw|~aYmP=~o~6*$9uQ+m?~Q;X1bY}8NH;HEd7L1& zn`3LGa_grMzQ1D;;q6-n-9*7%v*|P6MUevA0se&B;`1aL zYshMJIr5+ddqmxK>OaS7i&&q85z$;weGuYaNdQ+%S~h)krpyqC#e2_YU~6q+7sh=O>nWztEJ6e{i}nzb75jko~H))FS1 ze_S{jOiBUY(e)9f_%SfHLBgW}cnFA(CwuG@bNgqK;b#Mx;NZ|Md?%hrHronxaX^`wnz1=tL2-=#A5alCow2kLZmX zg|@Tib-3n_qzSZT<~y_&u!!_bQZ}t3+orgBqyF{?@Zu|% zM$O)j@ri0E)=I|eXt3YO9Sx)|FQs5|F06Q^tcu2C=8a2v0T!1EKOrC~6{!aXMbE$G zV=ET5ZCzhOf*czK^-Fq{yZ3pldaB{g0l>=g3-;nQ%~D4~>p?YxaRrkJwTi*T3p{cw zFZ^Q!=cSjbg(d(Xz^D5gsKa=N_Q_>afv08KoT{ ziG_9wvL5>o?bZMVXVN8BOCYIPXBg2mU~G*wTLwC>oN30KX+D)pBv>;G%T9|QjD1Hg zeeD>U`D^f1Nm+!pXn7v*ix(cJ@4{+lJXxxtacJAT+cINV4hQ#ek}>{gPOe|DDN$(! z`8!>tak|?kzY%ruT|foJ8vn10W{-R6EiP#cA;ObvihqPH&tAGt6INYM`ik3`YjmP8 zD&tpLCBheE-=7G7ur`ZEt_CEGukG+@red}{@j0K~m5hJ>Psg(zI$bA$J{Nq^2Aa0kzc3$jfArK#xqtN6^ zDqX71CQS^{ztmau>G=#(t_ooiZ)F!Q&XG;i1q(hFrPTKwwU(1TFaUt*5gi>1008iM z0JH)4044wc`wnnNimlXY4;SPhE-?^V+RI?UPG>dA_y`+kQ6%LbBx1qlk0v1EHu0-~ zrlc#!yi?``&vrI0O?K5iYl~bcF|TD4LKl*#CSFPyjtZ z;`u$G0H%jRge(c8F%EjHvZKg}3=$efp9D$2as(PW0X5!uTbX(sk)n@e`+hkvm4<}h zi;|dG1J3P3n&)0xJxWQZ(7jD%h#{IUEJU6V6;P#~#K2T<@9*?EwNxaYTK1gS-IS~_ zPyU^BR;^(JZw|`7Jm{jnLpgak!gBe$MUzf(iS6f~4RiHuyYip=lV-L}Ri3j=8)lQ% z>WO}{#8*H9g-UFBGpFU8a zJQW5ke+AB-#=PW64*k0+;^6#o`-wz0e0%f1;oOa?sTf)A`IkG9xqYwW{Agrb=lI1$ zEtKg)BjUHbo2WP~qP>xAdvOqI!2au(QtIER2<4Wh_^DiL_oKbm_5iU&;#Irc$eg^< zXpY;q?{Qw87FqEksZ+bD1B8A1(PEb?j>-6Iq-3cSNf}rKv}Tsd$^7f~&@2T^a?7`x z!j#o{mehL{px(W9B9*#?Hbr{;sZf`EFR#an0>$j(Y8(Q}rLy<1ua8c-iZ+rNlqnjU zCoylt&-Y99!Z0!m9WTNA70+~TH*+CT@iWY9oWQ#H++!va6L-Eq&e|MIY^Q1zA-O$w z{R<@(t_H{6r~1a)m82|{o@lETNE`VUPfeO>pl1U&(&M~w$p4FFRs14HL!GeVK%t5U zXMzSNwj$%>vfU+p?tm3QAx^SNu+K7HZ3a=Pw-NB_Yh&kFde`=?LCjarVO1!*18 zR*w*!^^$#YC=YLMt!vov2K=T zNUCT%TE|KVV}bgiL9vE-K@C%%D7M1dD1{Dh5L}Aj_wbKIKRs^-XeJC|>AI&`EsW&u zaPQaU8w{aDNurFaT0FK9H=o>kc&0vaY%gh$Zf*NAuK)E&{k19d-=#S5w*Q?rb0VaQ z?_nqGj&M>82>hRGL>j;kQ2+neNUb1L@c&yQMH;oO`-u=5TCIrQGOP(m9b=NigvMkl z8Y7rmkdj3sFAI-DE#;JuSv8f0GVzSb_*ov$hVO86YR+&(lWOlLN5 zs~iNo&$rT=!t5iAMcr4z&5PwzpLq93-uDRaOy77?6zce}k1W{qV1FC>q^I}z9%Rvq zMyA}c@K?&6sH);QO(^(ytD3exvc6+d*yw+(g9ulEP>DTKBE-s17^j|IvVYCMu#4Cw zlKc>IWXQUzw*L92GVCfyy)-e_*&oL|(=1IXhW_bD)9Wk0^bhN)&9->~Gi&D8$gY z-AY4i;aDa;b%|DyLM47vM%)0aasCJs4=#oQXRXsR*B!v2WeSc|1*I(#>RzQ}@`T19 z;MU4rjVf4&e{7V=!Em)pD}j2@cq5m280v;+J*udmn^HnKuKn5&uQljWqm)>^C%qEV z>a1n>#Z!ITlvz@v&;V?1s`rx~nQI=6FA|D5)E#~{a7{jU)z<1N%};}$V)D86ynO(- zWxYFNv<~^A9@xGg{bzz-Usk9Yguh2TLF9(`e2w_;N9HJk@{6{6?>+ThQ~N-x;q5q) zOq3cyV4Wv7L6!$^z&t}%%2``}bolM_;B3kqk=*?f16GwDwOh3yjqdG=cKSfTCwT@% zzd02SxzqL-db*C8h1--@5JDQl?g`Qg#UOgKmrddwUJ@73QpXdX9w4#4P4LSvz$X~$ zE9T+;#+wU!8BRhk#7~Fy7+5ty8nm zfjHW6{E@sm9C>hOvinzU(zZ}45E&FTTlQCir%2~0N|tI5$%rPMkHiYy44;LN_bS5g z38I1b+h7YPp$p1Z#f!~7%&p%CeUS zDXUboWceE7)b;imhLuj8VZtn$)W>kelmiG=-}ngYv}{w9Ce^|;kWO>bI5pP!-x!ip zOjZR#C^dGhQZD_?#fRi|ofDk`+SId|_&vq*oa$|Bg7JMhMX-g6D8=$TbD#r}DrYoZ z5}egx>^8ZYRiDx;QQO7`3i05CiF+@@yxpA8NFFd{ISi7F9%2Ahs8U5hAghjVGEymSfk=~sAJ9oG89&ngTrMdmDdu=MgM|35s5^t`C(vNicFA8h-v@dI$)2lCf~KlF(g{~0*kfH zx3zj`H-E-TP6!!ew)PCPFT}~*Gk;rN6zfkuYNBbp0PD9N)Rt(}J0Ae7gJC_xpLBgg zsRpoB-JA&Ik?5Yk;UKW5Vxzpq5B5rs`3UvEN3V1@Lax>2Ksy0n0S4ZNe%PsF2Tv?bmRZr*F*sd0Nwvn`+=Wp;88(`=pu_=B=&eb zhdA#xw9QdfErr){dpatHQjJaq4S)c`pde1e@7y7*8rt!YbVQ1zVfjKKxrDECHV$Aq zla?}-S97H@2`vs< zVd$|RIXS>KFw-eb&S>T%zal(P4w$KHLa|A0TgWU=T`Ddh-shE_eRyT2T9 zzn})Q`%))S#bh4JopEFv8(BIQ3UsRH6)6XEMJL<6$UDrVUne)if@w*y6`HTZu}CBY zM;(hvqBm%$9S)9`Q*8*UJ>dQe7jv2d2ef81}8e{<45d;x@FQz1oB!q z^#5eP2tqTgsjDvA^eT8$7aH&2sNoY5O{qZ94HoS?61t8dnytU*A3&CkHne0eV8Yjq zGS)5id8+L`1GDn$aTEf1mr#QPof+LjFTTLKF=Huw9vY@D+kbuMV(TKc_MWu30#lu^ zzuI)GxZ>M%9Vs2fZFeK=Kdr2>m)xInvriGyZ(W?az@PAe;wef7VXm_W-R$vGA(z>s z^DF*EUk`t{lH!gH*Xup2A^DMl8Km;x#JxUi79I`00c?uM4bWAxi;HjNh@8NB8+>~r z(IUSeptuZ}SN&(}?5zdkEZitwcnc8SCfWYd|NGtdnA^M6DAo{WOrZqpB5j+^U_(WD6XZL7QM+^34MhTZ zCepSF#D~j|O(cF7rl>bOG)dFdO6^oaei}O8&)-W9fsC$W80Jez#P3+?kFR6#W)V0o z&J+A$%gNk2+a$q4Q$oXO5C#<|e6FRK``F1hRLCvRK$R-ro3>;zL1r3Kb#aj&Hz}}* z7x;90=p1=9B5eC*-60>bWV++MLhs3k$ba`!8yNXT$vRz%Yie+mj%LL>?=fFY%V_-g zp@kgaX2YHCtXhtpFMV0fO%mha4PRF!2d1dFf!u zuJlo8B`PttIOuslA8rdgm1nq(%XLAO#B5_JE|&$H^Nf2+?AuxFuC*4WvV$DyUjm^K zh^d82-{%KI-B(}wj_QC~(Ti7{7gM#$2RzZ-OE@)gwtmbQfcDUec>HP=oo~rSE6dgN zo(alt`W7BoCrf^L)oRf{Exo5?#dZjRO!?e#kVRaTVj^oJsJ|>#@v>o~L^bpvN(0%_ zmElD*Za-l8@uuBZwQHI)zFtp~Z-3lZ@(byy2!@rwAK2VqXmcBpB#~Efx=6n8#?f;( zmx*5b!4zCpPgCbcT1ijF7h{;TwbZ`WInR&T!Q-i)jwDaAS*vIAXYuKeTN^EPY4$1f zv}I8rs9Dpi57x{v1zu2W!&MpcAPa74pq>T(U_Ojmx)+utnE$DGv@g~{u;e=mt8%dM{k-sIgM*cLq;4Xn10#e0~(Q%1sr=oZ7eMPC&*`C5t) z&CpZyq5n}_=)R!+M-!lq}ZA8xxAR|^U`;E&YGD*iI-T{nK^S#M_bZLL}S)%n7r z>)Win$(3%Qsh`t+$|jatRT3j3QBB+AB0^JyxlHR_KVTexC44!A7fgeK#-l{lIOp7vWBs zUT7od?|!_h6sJXn^!AH23wX#d66YRmxNj|gid(&PLdrgP2$SEyN0mkt=pM(2t%Ol) zPjd_uyCRj$IiCzGRxwTk_ZLI>$1=vdUKDXn$xxpYgbW5Jy|^F4PlnzzlRtxN{!iV+ z>U|2hX9fhf1`2q!odH6m0qP~D3-4*glBKEvncb?O?y^*{&K^y336x7~p8zd88WYGl zDNc>V_wPNRORt^8bKQ%h8a&vzHppuaPU)b(t}#iIilH`WO2Ax;rsWKoU}^uC`s%Wb zhMf^6PQ8bT4X>d6q0u8VeS#NF*_#n9yfw+Tnnp3xsJjKw8wF;XQ{*VU z!5%)TGYCU4{&5btkDrh`N+zONI3XiNWRhaYL` zmr-<=gz?`#l%x*)0nkYsnD`di1XdK<9@0Sn(9s*FHgzateb#ur9R$PAT~)&3d{D#x zwuiH59!i0Z!?7T+HL!jTBcsiAb&DFe#=fIS(2OkN( zEqSJ1eFS`mg>FK_F5!^#V|>xvpv^tdbJj>1ip>rUk|+&37&^aSO9Qaw9&m1vII_J_3sCG=dj#o7$fYkRygd#Wfab9m_iCE(6(^Bj zS+oz*Lmmza_w^Te@V6qw;!?+5rNC-I;wYT@3mCbf35L8bVZAs@L#Nx&h6!pvR z+hfCwo|`VAtyV(=S}nUxwtjI^#M!=Tq8bG4IC z4NA%Ug48_b2}Ba`uG(((gDP5;a#1O3ev{evBCm!EH#@F}&6TsrZJ+S$n~8be@4#_b zD@?jrv|meYy8QUI(Q!vFZzFlL+^~phJf}X^@lSRvT}{&&>enJu=$zXf>}mP;WA`pz z{LQfr-hanc-BFZhny(APS?XHBB>6`f>JTx>2N;k*(yc6J;ITXZ&2HjJaR}ho7lyEQ zxt}Y}hTiRoIJVHdQGP0CM0`rb+Jhrx0P5!8+8{W(pT3Xr_#pu({PMfanrZiUkXWbT z0j>Zx5nHy2lH~!v#kxH#Chzf-4X&7U%#`tOQqZ28i%zo`$6q!tD%(^E%u!^j73vZj z8o24?#tf6H&fCw)&!D_4lcXx-b6twdRuY{(&1M=TbT1Nnp2~b*lDNl`M~CUY4QHt? zFVV`jCRZBK^PCg-AY1xD^EE_m|@kAWPjU+Lfr> zvD-PVtE#$wgf=w8;>gEClu@shqSWgFAW`n}u-W>66-_qo1tYLGeR*UbSC>-U?_K!I zOsnD^1;Mr%m)d$Q{`TW?v?|Q^>wEbFa!K%ufj42?E!}F(&O1GiN}wN*+Sy*toOG+1 z_-7hj_sb9R$I{;8CEr_Rt`vGG7)uW+TbNKOmKr=XaH&xKDoA_l;8AC16*{P}(rPU4m0zYp4%?2NG&yY-PUluun*^tfI)Y{+-wgjI_Z`6=N2jY+Y2wICMIR znJEM=H^2f+?GuZ?;SU_K-d;GJ#wt0Rf0x6Y$4+pnq_~2FiJ`MG5QQi!Cn=GBqf`%q z8mLInFS;9z8qyR^h;VG)Wa`d4aoADL3Jfph;x@)G(NHEim$tLfA?#52J*-8hnFJk; zZ2SsS@#I#75gI`A+UZ2 zlR#Y_lf=4DJ3o-5vKX=v<@QywFBlniG_LWrICE(`%ur5oGODmW#d#=9O`}3QwHD{E|AQkN*Pa z#g{SIyMSuyx~Ez^@5J(?yQ;i=x$$w`GzzJSqrIlxIcW)T3?-RTJ+djaHLMKiFUJ~% zqlvUXoUc)7cK7uZ$P zPp0k#GjQg>{W5D6+#+8I)gR^NJ{_zyp+kJDOPZ~uE>bEsm+>&RPGVV?CvULwM*(PP z4M3Z->+Kysne4>=m~z|$gkZLb;Wq7HO2VIt1e{mf8&4A){bKE%Ro(=f>LfdQ<~!ij(Q9Qh3U<|Ylp*l^2E*WdTI6*C4si$1VuM~A=tm#iPhJE?7@ymm27+7Ra;2w<&5~ZZTM_|MjGdf(;11Z#}1*oHGESAVA-fPPW#;)}Y z_f7snd~V_oB9qNx)YzD$42F>i>*P^qRq<9(UxzHXZ|iDs`j8s!#>A$4N9PHd6cy6Q zv`$HmwtpBCsTOkZnO95<%1eDmG97~{%tVHXoFfqxP9|U`IlEEeP^@i3Wq*v$qZNR3 zR*l*9zKJNihp0q{(BGlYdF3#g_;SF^Ivmmro=*+2(ugNs7Y*tTvd@pp!Sot0e&{F` zARpN!fcJWfHiTjy?4`UNl8hw*FV$qcE&kK~S;>)_Yj*K2nsQCcT=*)7l2(yPu`c2H zNLVOg?AjV@Of;4Ku~63gIC2`L-MA1zQUX`!Rc2bU)E`j;Hlq ziQCh-NSK1+Vajx(JM?Xw2$0Mw;eVKi%x{a`(?CB-Y8|WzIA)w0Z!E7LRb}i))d|_!z}bZ02N>xom3s~sLNJ!S$BdzR4-{qT*Yzt5OqbKqe3-rM;=p; zI@;S8*qTm^uDiORxu!QQRt!XTJOqz+`J6#=C;SY7wovgu(H@=z7nfCiDOQ z`brOhgwVT&B29rHAYDQ)0tPIAf(8&N3I-IUsiAiWRl1=UK?5RP4MmEg21IFs0a2Pt zz=kdRkGtRYo4N1j>&`ghjOSeE_5Qd*RXdSswAg-TY#mPIdxy!&iu!4J{bLtVnM~d= zA~cP}ec&xtX`1^V$AvL@?_mL3KZM;hZ#yd4+Kzm_|V{*`}8-Uyk@B6XgO;Wde7(BLOxt3!nO$jgDfX z6$!vB69@u8%S6maeA-6>W|IZ)T!o`?sV~@Q4h1HLO}|9~XW=kQY@{|8M#J%zP*Q%@ zMGgkXnT9|zv9LKdhC%_qAfmGXNIRK>kOfd@n8pi7s4g^>uGqaj z6T5YpNGBTl^(s#(9Wg_|%pj3jgft=Bv|U9R5=Ch9HJ%wlmQn+NA^=csN>5B8aX-RS z!8*27dupydEw>|wdL{%OK**5C<;^gFazd6A_g}XW*&o@+C}#4IGRCS19km8or9rAj z5?{F{zb2wcbl?md?B$=U?_W@Cc0~@5i<#IRKrNaKM`RJv&Z8IuBKnT&bpr}U#FjVy zJ6fL&zr`rdXJBdy(J#1Snu@+Nof$QqG)qSC(m>#BunH+xj+%?QNbLm6oyjSha{)5( z+&_<0=OT1@m)V^>IcFvNt;YeKv+iLZ3QSIVC#%2$#5HF|@KTw1j2OF(f}GG^H|8*WFt zqg+viEQFH4irA{?oowlu^2>PMTH2n797LK>r5e7{A)s=STB+JyS)>A2JAuhsGzyU~Pck|&!Jf*QT_PW5?>yn%`c;G5TpN`;9sTXa41!J?@2((}}>Ncf8 zB;}?ewLWT%CyIs!5gKbEfrusGFct+P!*r>kLC}K;rQJm!Z~*|DBccWTvw0-TUMp9< zre_3`8ls5V5XG z1N#nloE=x!jywY?M#~*CYi`_Le$njW8RQIV23+q(yi`4PjFkUoI78;9&zS30(H&DI z^$*!7f^Wl>zc{d8Id54Gy2s~T16{wonaVt(TkcTOx-`?SF|7AoXem)hDpqUVDQELh zlUqfY_%DcLuGF(*T1AdmM1(dntLobCwTHZ=r+ahsL^lgNzAp&Ir3u`TJ+{)Qeo}6e zQ4u$_d$PjhhPszQ*!za&A#qn|VyNro>}Ip_@a6o=Lvj2c!}=xG?shC3Q5?PQeq~I5 zrQ+(OlTvJ`T+>-O*NEzRFHnj^GA^821}aJK{Q#G}Ak-jhr5c&>F2~-4r7NS2+dqE# z+Vi49FSPxEwKKW!>Jho{&OJNRJ~v4!RpA0*`r~jfhS-fOs?gE+i@u5Cl{xkw`-e-S zdjX}=ppUJ*QabhF;%8jGs(44ZP54zs2;cfv6urL>r*PG;QQu>i&a}h|uf~X%KQix; zb3;w>egAaL^A<(o=c}KtvI-8&7B2Xn-1B2Vk>h{h(V)opw=IXH^4=BiRV}>F+*_Al zSs4Q#dL>ble|yi4Qbvqw=iD7(uoC>3W&^Fh$bZTDT(eG_X2UJkqga)?(g12dUD8NE zwYBDcyARE{Of0a_sY|l@;tot@`BJ^qSwC`yqj;`6hoO(68^~ z;%`A#>^{b0b;9dJ4_ihcH{W!PzG?%k4WHdz7IN*`Zp#mT8lY&2J zlA6{YciP)R#x~IrqBG`&S-N=ODyH3xg6`mY0>@G$H_S>$N zgxrttO^u4Xw{OOdKQfW!^f*}WMePj2V4}pUUVPntQ#{={6nd*-A|_~{uN_IJP8loy22=FO zOX4;yed4Q)1AWObRc}2K&IwiJumtXWl1;qIdvsDH6KR5wQ;$`%7raEdZ17^y_UQR( znCJ#8{os$StSgfg(G4nHN!-~(|4bZYpBF_yaQw}!GS!olM2j<&TIg?4MxM-MkU zX2oh>hmYVNIoHy%&HxIy4TjzEUHf@P#bp&qghTLhdPcr|H+`lppsY1^!Toa zp85lYBla~~XDS|f8*mSRHpR)07Y^y1IFe%*Ew3S4GfWC`c9f)_)XdU%L{p!au5Qa4 zWa*C(cZCQkoZqe1fPlC=hFq=UNb%{u)*c(_^G_Sx_fGVgn`78PEsw+XakAE(agk4t zWPELVH~BJAv(xfXaNg3H(%wHFe!y5Mz zZt4f--5C6=D0+i>t6cO*+8$$ZVni`BSJ70sCB4pkCE|(BLT-RPsZ=p=y;I-+lH(8y zB5GpUbcvgN8aedSlZ(|8c1=*}!U@WPeZ+#76Ezz7^+nZo$F4c+6uQkX3mv>Wb$@%2 z=fwP)%QL&_JBn}U!mA*d^xE-t+x@qMeB7)3BBy%J9)m>w$~!AmK=&{*%_>(rFZ)a~ zRZ04QL?sP?4Kg8q=e^K}nmInk&1-}m*l1-=ae&W}Zw-?%U+-M`(nL0i8tC7ZgC4~P zDm&gh{z7ori#Z*0(*L__o%098{w<%NhT>x{LR~_`vEa$pP03{C!`JP!6HcWp z<*wVXjFy;*y3p3-B>QEoiR(km@n)eDMyH<*ibE%w=|=+XO*%~*6AfQ}TxSpZ80k|6 z6<&HK`zNREFDV*n%(%cw8)wEHxOP^$xsrUfA>E;D*&(rq95jkPAd4;-de(xmkbgl*@>Pla@ys3GMhjK;gCx&PYVR8n zAje=WP7Z<`83{s6{5cf;`}kE;VQp14A9qy&ljF4&b^g=-&WPga`q~N%e}6!H+Yh8E zvCT4*zMSzHKo5_H=Iu>?B7CajH0kJp)-9ut!D8_*5W(%;6~-U@T~5kpy`5F?)&L>f}2R*!5`bEmc z9W@%2xVGrpA98W`{e*OsQ!?|x1yyAD;6a{cz6gK=5q#6L`(XuntnKl2KM4 zPmZ7ftJ+L~q8WKb@!kjh+fG;2>Oz*>#b{vkLQ;_Rp~I1m*`LK9ZG6#>xPrnVS`JUW zRlkh8N?q=riN4P!Ur$>S`Kv}o1@ZQ@uW^P;=IQA}mrgc#nt^V48-1+bquy!#m?zxq z8(syW*tnZ#qlz>3Ex-Ru%j=GJ(7oa~)s{WqlEhG!lU3Iz>kj@D%^gVhU3on6JRi!bjw##8=IAw!@y~$ZwcxD9grP zRuVzE?zYEWd*u=>;Oc>2*==VNr(+{emergTQ&XbvQpgrmSQPw{O;MbN3{hg$@5Wwy z7c2hmfT*i!d!Kms;x(xeZNUn-AL;UE9Z4rmkv-z#01<(p0NWk0^OxhNC&9BvWu9$W zM91z?8;IdB!Lk$J*o!u&Gi^jpWJjJ@1S4pC2r{tk5>2WB??B=%dL(_)pBczC_E&i3^gmpUE&TuBYHZOzTwSmRM+1fb;%au$|KVy1 zN^2(TcQ_!5yFOE``6bubg{&aon*09?*o30j#QgsNwp&;Je*v4rF8YVCtM&gTY<%v! zwXENrJhS2k&&LnQ5lh$-ahf}38MKl=oJ}qG7iY6?{Izz2%h^xe;2%k}yqWx}wSRH; zjfnr{>_3>jl2ZPA2eR=!h3!_d?N(XgD)%J+ekeOs$&B{iO^G;#6P5CUsk$trJPmE|2q>qNLF}q@ ze%$y&+Qfot6^wc@+GqU_X~#t5F=q1rL)x~D)wLuPH~hgBJG9BwOcH81+Yyy}Vrztm z-2c%Z+Rpx7!=>%tw!A?<{-$k81DCerivC60*%D<({qz4t+v5e=qgj$nm>RooM!3dV z6&$B}qa(FMo{gk5RL$TDfmARb12AA<4l?U!7(7SV@G%3F`JHN-6zabo-kmrwArh7+?n|a^d@AKEjSR8;Q6>LOCBbil9gq65A6nqNWggtZ(=sWga|pqK$uU0DacC7G+65Kt?)zWYmYmkH`?ULaC;K+UqDVO z-~zdSLsc-o>3@No^B*9mmVWc^nltzVNBcN&@0b3LMXJZ+c^H))GpE-ANN2NhmCwqESRC=K?Wt=kEn7OEUFWb zfwNV6*qU{0zypA^m)yV0+j)1R<-Ng;k|WR{Jm@v+51@Y=?c{I)oqD5{QEQQ4bJH8 z`v#>-KhX~)5XC)+-#i2UKYHdVP+2-KdlGTeGvNJ0=p^=-4i%J_1CqdE|F`^82mFB} z|4@6qGKoUMLNsFskwRx>x#gdubc#*(Qev{0R?zfF@_1q<&M*W!TA=^{(vFSpqai*? z7~mARGp6BiJg=2aG>`BIMvL#_I}!s=p)!m#QKI{>RSo9Jo~m|t!@aos4_A|~?9O9n ztbuf5t=UX#)8j(C{-sW*`op@V3b?Jdi+pj_6_y!hJx(-@zF5Z+vkZf~UdL08Wt}Gs zh(EC!%8Ifn=c6UfJl60jaPO(&2MOtmC?f~o-(rF+1M8Iv8N!DPM~ z!6D=Pt>s&f!eKH4c)tY02fe>#`wpjJ=%n%)ZO+cI@B4L^Ivb;`*PBDAHE;W zmuf9uX9kIW&n_rB9JCOxf&j^j+32}24jDL^9as*L5t^AN;)HH0)U#q?;fRIH3zpNk zBSK$a2q*Ybr?8gmHA{<8st@aqBR&_AZwTBXY)fmH|JDUWz#Pha4EOUvY=&+s9Tm&_ zb+sy1Pg{z;Q_&L z`AoUhovJLfmELlk`H;i{)pxAu44`l zG00^SnW=RRvt~!0r?g#No5To9eP|4_ z>ZYFC_1-V(YIk03KR(-S^tA}NKq5Sq9GUn&N4xW+{Z-}j=DvB0jv|%>pCMn%U5ZHt zk0_O7Yt}5ayJ818kZk^VB(r4S8-6wGQ@zV0x6`{G=->PeeihK8*8Ms7&WCiZOHvof zr8av<3^p)(=Z!bC#{&#M>e9wx0p&DvUJ+H6W-mKO?80AL>bKq3&|`Hn_vX%}otkUZ z)!i@7jtmX&7Xk(pVfteimIo}lp4L$YWMuhM9>r|3#CpGv*82?hm?1Y12Y!#IU(;dE z{Kc6%fNrDmwc=^;5t0F#E{haeKef}n!q`&b72;f2HQ#;KCpL=D9A=#yv!vPw1iM;a z-SvxvG!K8keU;W#d*k%V@sR^-UCkG@6(C;)SAhq3Wz)uU&%aUO88Xau@b@l8R}dLG zFJj66o?!jUK+gz!d@F0upx3!VYu#r&k*0F%{snq$&)0#rzmfdMYxJf2&${o;W4u*q~{;XgIq=dnaoDC^%P> zV7@EfDaD%{CmJPPF8yPAzj*2P)ld5utKn-J-n|o-%5N^NO#`DgvpJyxsFiQw5xIKh zypnxKy|ly`m|zOwYV@UAts8EZOEC_vhMW_77$LQH%6&F3wP{!B$}E@3VEjXyyvF+m%{U!TOJ$cb7N=s*=gl&{)F*Sgq+39r(6 zKw3W-bh1JVuBr^v2w?!12oV15UomfP;h$yv7|;7AT#(sX)kKxV@gt*D<3pxv^N-s& zMqiwl$a^CpU&uW#OZPvL%HYHO37K~MM_;PS`!2=QyM%8zZMYdl*$J82--~H2ysN?1 zvkAS{Tyvz-vhEn+iG|osKr$5 z8pdN+94xwz^I@WLHAstK6p7P>3ipgN_mh<>0aTsT_D*&zdEO}re5dtceH`lZwDIw_ z@EzJZ<(?tN28aBNZ_lV#@0eQ}vnoalFGz^p53QWozqj7aNt0 zd$TdROtFX}#dcq*kgTS10=g3iQMC{2&D+y>;c?Wd zG5F?8*T)c&bZap1%e?zg&|>U zV5Z?E+4FjAaMnns+`$E*^7H$nKw0ilzVmt_ zdfpFolwsI<66CH~Ve5n6f$lN;{8`-Z#=epYjH~S{Mo|Wjt{&Hx`dl2<`qcb^q%f6ky46lhDI5^*&!s!-J%>BN2pS zTGjr>YX=@5yLHsQaVF^HM$k3Mm_A2MiNrwI$>>mFE0%5R2KJqig*UH$_?N2Z?rV`Q zB~L^W6{lLOz$G7M=YUPEG&jBg-+BiB+gtO>>J;eF-3DW$v_riWYNxgwyI+b=y;qTc zXe8t-#EQ7uzsC9e*tZ*PG>s#K15Fgz2_0$Zd(0hW*Wc%jNM^IyPrIHboPVI_jY#-) zzQzQke(8CU>#~i;_fZ`(d2iD%uq)ma=2;GPay8}`0>IkU!58hD^jE|lnDMGUxp*`v zHotjak$YdkCVctP zb~$Ks==9FY?{iVleysT)?Dcq7F|4tYboiGNg~Nkz0oJNGAx`yi;5U?m>hIYBGg&TM z4`iZ-ZgbF6fp60J_3tQduDuIuzi{v~N_%a7VmImlpNRzaFnmFTgn{MldQmCP%}@IN z3SM43mVNfhv~^h8RQT}4FyA<>ys5BmUx&jCL~vb1$Tw&YSywTi&rAq4ibY9J$8bxR zN-XM=FYi}tLo@>Yed^jTYfuReeE@N8`~c-e?G+;>`KI6lAamzjL`)#!vh48~5t|s% zozoU0F_jEBh81Jw7aHyhLlb~oZ>3{!h!k2Zi-MkJ#?r&WQ3U$_RDkC{B`6 z+!w1b$;+0%Ab3CsZ&np2jEp}&o%l3AAnoD>B zeI@kN^^525ly;ZHj+XcX@_0oN?Q=HqLDTLw^(hz@w37wxb4_ntfi~(&F!6j>*zq;t zsUa-zaU_NXMB&+~pGDJ7jU<~}X*9>+|B6jp8cDqGnpvF8i=ptYhC>Hep&ygeKki8B zGSXKFfDIFI9LQJzFmW~+ClP_S#N%4^(##X1oQ^?Or`@66&i4va;MA1WWL{GWZ|E`* zx}5nwJo|l%h%p&5sRM#Cq!ob-bwY;XTGs4z=+w^1*}{vn!^!=joTIySP9suy;m_Uq zi*ofEG6hC+O^Mdlv`j~8_WM<-_lp9%{K0eBoE=xt5kIt&e@@~~ELe|fG?nqS+Fx7Z zn7bPu=ADbs%r?ar2=e5ejVQREjgraEJ6sQ3!KshH^PPAwN4}?~Oy{JA2kux|F6@Z8 zf4}YoE8x*Ah<7VA`JU^?BjLwZkY*GJkoVMzBULHri*6Yc0QEpePOG1%cU|y~qVLSO z3y)T@tv~@HTR2X?z?xJjlwFt!l5Wn)BLX1mT3!hYErY+VmRuC3PlXm3t#DB_?)EX* z6@4j`030O%6$q9Rh=IFgqojbcj1(S47F?SIyXIFmT~spdU!>7_)+0O^HeEFDXY%o( zSoETbtBBH_E$%G$MyAsZVygs@Su4q|Tf>i1KzsE=Bmn@fv)C zi1>yCv@2Uxv_+sfR#ajZafe4Tn+Gjtmmxz%nUa#Hlf#p*UvGa`^rKc@=4B=7$S%I% zT~e{)4il;xPJ;Tg0G4rMDHd8nE;EgUn&l!w=x{@FhF@eg)Rl5N+~l2(eo>s2>2|f` zlCVIws;eyAZ&B$}eHE5{>@+J+)(*rOW%_2*K)N`Duu_!BN&+%6|CO(aZVoQelIQ}f zc%xb4oL%QP4!YWkn$#&d4p`ezp!_sYHVL%c!DCOWw={@?H-=}STyhSSFH6`S^^two zqM#iq!klR+KOv|c13M83y2XYiW5J>Xcr-~%k`0v5c~XmuvW9BYT>Z6oj+d!41kcKJ ztvmO0E9jiKF_JA&qM3D?$(zU&k_F&2Du|y6)4}m-umLVYKX1&LS}94J0&^r?)aaGr z`OXUgYDKfcOOgTsM3JvNO)j%skB5>aBjPAX8h|px-riQ_ji!PEsUS6cvtMIQ_R9oy zH%d5`ext#pIEQ1tP~I2hzuY|AQ~2|fkztA z+W5(+KsGp#0r4QCbQo=C?efD3!Qm4A8l$yGqfGQ$RgS$-nGh7W3xRKUsRdBrUyB4~ z!9oD_j$c$)z|T8Dk0Bata2**H#tZhKw}miJSAL#+HJStYo&)c0cKPhI`A}X3rnKw{ z+$`GVM=x$KvH0T#$z6WuKt;T5Mogp;4w^wndf*Uv9Jh>VYa#^K8QyDgy{E>Z!@aNH z%Nf#PGVd|Do4H_!Dit9s;{4mJErQVILBG%Sh8r9AE$K*0{DUyu14|s=b`(k#K%c?& zUQYx1dfGLZJP)H#5?HVV5la8s>(kwl4G(-#az(|kPi1ddI0Gtu5p|D+{L+JzIsf46 zNoXPoagW#!BKIq}_qQ{7K_p(KSN(J>z-=Yk>FEEFiD3BhgTkBb+>*xTF(i|PEMtQ+ z0LVE2QoR>Ft9-9fDsA@X?aX1QB?-~a1i06}U*ka}zM&c-O4f~A>i{*lflY3z^LMcG zPpxyVcPNX7#!`o|49t5fdWi+$L=jQ@@CNV#;hrh)>;;P2e zFzca!|MolPzXlRY+xyR9l*GG&|fRuM-`;2_Th; z=oeh|MMWFX5e6)7W%7t?q=MWrcZu-3M9f?4@Wo%qR}9Q6I)VnW{zp0X8-c=Dci?Tz zME8+|QgGR!+eX+Y8Tco7Jm0qWXhG={rMV{y(Ux)8r+?fdF!Hy1slY@ZUghRJf3zdtJTt)_E5K`ul&m$YnmRi+rr4_ISU;Q?)X*=Len{_A>)DN!jn{O#)B@ z{Be=N^1Z*$p(sxfB}{M!dHNiIuSFTLHHXY3JvqnytIoPTv(f$49IX~N^Ib@vTi?tA zQ+zC*zkW>w+2x}>jtDKpqfHo3INhx-l$i;R8o01bagu;5GX}i?rry&aFR+iRn<1;zi8kEa zYbxXd3$^CK^Pcc%hHEqP(JkrEHd#ZPH1uUUV1FGE-`mtU3u8F&;c?i3vXjq=FP@|! zxYtCV1kN0@Ku^fbPdcDaqS0x1aA4^K+4#}E46tv_pJZsE?C)ZTyi`S*3QV8n7DM#+ z|0;&G`2KA$vF0XCAmHkB2L%!QxObrJYzGZ$M_#sLyefG+{t&V_j$VA>uqf=Pkw`;w z574eRO(s4b{^{1KY6Zttp$9F&H+Mj&qh)k=i?%z4v;)7AbwM_2%J zO4tBD{zVAs$xQmP?N#0}eS9ltt9pCFcCqbj)Vy#MYCyEv4@&-_PFg z1m}Jn(n3GiivA-v|1!J(*Ja4Li?{!nO?()R`YI0w&i!@r_ElEFF9=9#@xJ=o=jgYS z4)aXzI)pV`jvM>%%A&Olo&93C^*u)8!^{7)MvQ$QG=5{e0XQ$6>pJnBEKjcJ9Q)zO zS=Y0qzVe+N@hLw0oHqU7;f5M*#%b5vRQ0z%FmJiKvw0t;oam(Rfrr936-++V(1=#vyK-ugU3x69>(xd27v=C_>cbo55PJAZ` z2WLY{=)BvJsI6|K1n{Ytg4jjr&31WP=5`1cY=lD;5}}!F zAdSSc3xNFJ>S-?!3>^QDKgA`-#F~0>t0%hbz~9wVc>EGPMT&WTx>EpMm6aZew}atC z5E#Y7ApoPb=J9pB%L3b5u3t>P%061+EcfXReerj|Lp+5^aqsHfH@b%o^ohgJdeP#+ zl`n3J=}M12%6>D9-fbCsl!pST%JuPV^qBz>=Gsf}FM9P+&N%*v{n8MFw$*X>6GXr9 ziOIDi4Y2+};xu;Y#jx99_qZmQ zz#bCXRyEZqh>K1wYl(|SiDDY%sx3?2qvF|@(f&mO@3PK5srBg+{5(4@GrORi7paq? z5d-Gvdx^GbR7iJWK%jn0{H7H9%41!3(vI2iuu@2kyMFbjCuhq-MeUxueRB?*$q$1B z%!m6JMCT#Wu zpJl}a-3@g{1b;E5@HDAVEO28Z@JYbZHm4#{TJWoE3eJpYNmaJ8GxbQnX5#Bq8K1Ue zF2Nc&{+5)J0g)umYD zOHj#&{yxX7(#=wbs`DI+Q)~Qk&de7Fza>xv#HhGxaPOE~9{LbCW`z{_V=aKj!KLCh zRAVs#8xpWm+0t8SWi%q+{jaK}UJo3hO}CFbbY~ZxZM^I3t{5ExLd$2>JSH@ur)HDn}Vh;BFf z-K%WRZQuIEyOJgEvCRT{Mc5I%B`Hk-lJ)t$R{2H)?(?AK;q=erVsYUQIb9A~4jWAl z)`2x6CraEy=qKl*tfrVuPcv9k#>B9r$8^Oft{1K{A83p`1cQX|JA6(Ok-wrjA?MoE z(j{f6wv(?YYPY)}DKR*n+;Q&S&QjfXn=r@ItQQF;HkF@H29bJ3g%}#I!w-IDbh!4y z^OZn@*A0&!{dm4UyFQr@TMlOKEboRMTkQFWL0^Un^YtQhCmD}tU*R@CMH);~%~vbG znQ#vWmz?@aw7!*5wBh~06CxGBNc0f*7CVnm)D*TcMHJpXxF_oR5287~)Ey9HKaRt{ zRK)z8=a(s;zVYdYZrk3xph$dE`P$Krj{7xxEn*v;cld}99!YZuhcF39#MXm+p<6sd z;b5tKegGfJI!>-1DvEQ$3l^fUT4Ui(My9+c6gC5uKgXlkbhE#@*w?J1WciL<*S)CI zd?7~i=q|~f0lAzQJ{2-t;&b@0vB8@xt4W4XUO4r~@@^96rA7ly&X1w@hAgn#aApsX5-& zV3t^%5mp1SL|gvNHCb?Nez>}Hv9xNUz4j13v7zUrwza>xDbG5*{+B1pnPPpse>?NG z``cX`_(KQ8X&xO$Po#b@lUnD!#Z_I$e!+1VcxRyTQ4SLV`OJN3H@_wKnY}l`+}7Cb zL$f<&f6aw=uEWP3Rc1BEukQ6;OLtQo0OW*b&|%bE-uQK}Va$-1l@0Pz;iT`;k(Gl# zyGHkF-zkE~tZJL{SbtEtl-UD#?UH?TB-rsNh%;g=(|r!htUH7xE|tojgpK`R(y|hd z>J3Jzs#VX@^Va*|-qI%|JWu#hY3-a&_NdNTt3534z~ByXvY90%Xn;bT$u>{8%oe5b!(>b_r0 z5#|*m0{O=nyi(F;yumiR%8T20_6G>wJbRTK7us|-=HNw&eTiUc!msIs#0z1c-GXv? z*^uJAC9q=hN5cwFKzq4@DLoO>bnhVyGrH5*dB4$fz;Nxp@j5QMa?3gis!|G+^Hau11oq;*VnsU@4noMkXf_a>>QrF^rrSjnw*c6 z^Q2=;qJTXfB-rCMYvg-t5{%IxDM}2V#G3hCj!mU1^gP#&^xGk<8 zD7#q?U6DQV%Wmli3n$__5=UR;2?aoxD~(aqI3f&@9Iq8XOm)XThyQhdw{{q7mHhnG zn2yHf%nMho{MLURRzwLz^FiDYG?Dw}E-d~H7N5xAzFCFNZ^qyXFx0{WVoC2t6Gf8j zz@{v|r*~uh4+h1j{T_SA36MIyr*e3yC~1h<^zJX@;25Oi*d1d*gmOO= zegk5>EY~w1o2ZTAgbZDqA5%kK_;{Nc+oJ2<(zWM$i&!xN@tOS5luu!Pl*hu?mGSX7 z9hPG48Q();0iwwk3IQBak{TZlQ4ii(^lb`@xo`QMDV}vb=znm&Yxc~Nr?Fk3DlE6Jjp`t84*bX2BKz~#rlyS#A4#at^_zCC* zh10JJ)sv~;qRuTVQA49gr=q38;w`45ZN<6uNW3Cmf#~WKN}_~OW#`&MB;}$C306AD z7(JUH@A@cCvTLHBc7#GdQD!I6;%L0(YD};n%=v6mxQ$~d5gJ8+eaJ@dMTnQ+qhgQ{ zo$$E&@T-Qa;ix*Rz`R8L8c^PgM8aTnQ1Yc%3&-Dez@G4w7$WoxEoFJ|%2A3Gtsdg0 zjBvl4+F6jQr4*CYNfw_@)}dImAycgN4#h%`c6O${qXG9_p#)1uTVm$XPNNwtVup%# zca1XyV$QMB6Q;vGb&Uf=_Ym~bvi;)kc4owB+uYH%VX_b?5-&^75>gL(+ex*h@}*H_ zxkHc_+}pJHRE%p}jB?h~>8LM$iQ(pQzF*9TXj#9ev;NXMWcxX5lnsUW{}IxsDIA!Y zAToqO`S0b;YyxUyoxZN2L~8;c^lM6mnWSGm7&gY~E$r ze$C=;4=NZroRz<&G*N9A4sn>ATS0xr=T?rJ| zvkQ|U10?XjtTnqZ1Y4SyQo2Az4*8b~6F@oyh?aPAA>sO#UfJaL^t`Z>)KDy+g(<7Z zb57-worURJxALF1Ac*Y+DAs3N0+m9n_)&CY0grjZ0@AS8AFr0~x29Fv7T-_0r~%D6 zWMMk1UnQt|TC*`?^F_nC((R=KNIiGQm(9a;W!4QgyBq|pFeVe4skRf#lW4s};g1DFU>WjH+@ zWLLAdu~Jt#(V)OJBOFVTtdC6%=5(?EuILxH207B|eFDH}EC~9h@SGjUj{s_*-?(6a z`SYcM1>CTW1MK3g^ox&lXIsxy792OWCt%-rn~Gce#s$=O;%_E(*E_PHc}rDXo1JY? z9YU{apeO=(OfU*F6xk%oL#tS))O1&FkEAxQlHFz-FD3FKOmDVDLhnREXCE~?lA)c& z0%DEGUIWW*f8giLzM$Zy;bN3Ev(ylv;aL=na@p5_#tFZmju**Ik|OY}+i=27Q#{?2 z(Y)}eS+WJh>je%XK#pSzwk4o_jVi?fO#l;OP4U%XH(XxN{8n67k4(%S%HH)o`&XnR z!V^n0rSCK3&|jV48fOWuafB8Dk}V0c!68hUkm3oD=t*D9XK+1^SFy24dxYfP0eMoK z`nizI%5U6VbiOa9wLcrH$!vw66gXJ{SEAEj)Nv8I~`=xNzlQ#$rlsz3mZew9&zWz)0bpd|zli_~sS zBSerj)yQ3)FH0YFH|>jzYO23|{j8>lu3_bI!xNQv1s8Sf=_RKP1MeGff4uoFiSbC1 zA=VeW1_^v>03?K6O_rj?xZbY*p3aBpW@_)L{u$&75fE__QDWS+CkXWfz;-1-Z8&T| z63ZhBSVYr#CUSdNhxpjDEv0i^28A7aq7r5M&sWsy2vmqa<-K>60z42oVqHxxxQfF7(#(@9<2drSb*Xvi1CmEl+xCGf%4Y<$sN=Uv&Guz_OL%q3)7u!XwTOa`@?uJjJ_HivT zw{%64K(bh{86H{3gn`Fl(FC{#6=cK)BBLI1)SDh^N;mfPFgy#dDm*^c;}T;iZ7nj~ z(PrM~lFb(w4NN0YvTSf119IgTP{)L8FyTf_SRE0feLTkHSN|nchas+4+qb4BVq{~b z4PV`HJ}w zj@zYAtW_Q-D`x=lWm}6<76s=&f!wHXg(C=;MX_W3M#KLrzLG7 zG_o#KvMkKd`*^WElgfOY$K*lpW|ATNWe8Q=IM`|2k_HazZ9jjrotw^{??K``p#98o zOEQW{16#Ino))~n%#COZe}T)`PwS{4St`g9SB9rNG{5QMZWan~ctlSOj&A{2(dw-hSRy1gyfqBhcoc=Rm#Z9R-PfTAP z<#v!o`=G>mq^24o9EZ@oH^v9&{`B>maM*~{-z|_?@RZtPn1i<^?cau+QSj#XpONeS zDm0n}#}Y7aSs3;QjL91O^9QaTU*PI-4&b-zElQD%{Gtuw&RYkJrygWnQ42)XG6q$M z&vElet{(U10pnS(!h!h`I^2XfFRfmjnlV3p4=x+jG5s4-_s;~DS?~hCFhfUZu0r0^ z5hmZ!+@ARDzxS_Nj9D%Azf?J4$?1E4W5(ClmadtTb`Gt38+BUhe((6ILoAw5g=SWF|M zEGazCiHjz9^zwb4$J*%YH#zGHnLRGAKHj_B#pLG0c+d-a<{yO)y#99IC)AO5Wasbd zm-UHT{hn9JK2d;X&%derfceLtOXA1pgg^Z3x#xk~8U!F%?wXz!;zNzKq*yR$%i z;N3U2aq3H1&D$Rw(J$U?XJHpM3ej(_tSB?Qz=uEm69Gq?phh@fe`bOy>;*l}e;2np zWQYkB!LKtVN&GUEi6}q+Oyn8KtqEH4daJ;Zui(L$3*+O5r%~4rq17lq8lQc|E6k*_ za_K=Umaj1vp8A}Gr~X;uQY*Sm7TyGYisCGAm$-$-@Bt6V;+vfwinY1$))Z#}Z2084 zA@{SXdYK*hw+7$#mwihT_xf)>{SkQxy=1~^diJ&H8jS0`P46R?@SkRgW?H9KEHA9E zKm1(!y=3AA{&4Nh)%zS>&VY|o_#cGW|X02lY}YSAN#+;-G0wX=WFx$FFrQHoIA03wd2-1>05Prbyj z_9LKg={aeAN7fu!6u$gGr@l4TCHwfgJ zw%0kmfF)2ROfyf#rTzS#{8pGKu9}d%#4TWisfDvvZQv0OnVc5WFYOEcU9k&V~8mSCZOiWT!vPIP=w5bM0p zYsjBHoq*6^h~4X?xc>~e_%-)s^a&{i7zTQXHeD;JeB?1)=90n2J{6hP@3qANOZY(k zDzb#c3K3j_mN>B3B(t6yJ-r~Dj))TM%xVbInYT3Kf-z?-a`RZ&*=;v(T8x?tF zelvknFHZ&pIv)wIA_yiUBF>QcNLI2sK-39xg=MnpFUDZB@&Z{-=q7z+_qE^O>)el@ z6j&XPIeq2mOJB_|t2le|y-O4Jg`Wjt&MCOAnu@K=D2mGt`?bs^%N6*^2{Fg&qN zYhG7Lf|nA5c~yiV8BZgiqOtm^?`lt+(@&P9syCli$TQp-*ep~m7ZEfN_1lsa>{J8UCQVEUe-?asrViuKYY=LwhW7_PB=Z?QV|J}<{ob2 z$PP7v`4rC<`BZv@%v2(K4@&x1Yo0hEZ_Q;>TCCrdby2`HOv!UMw2*uqYy<62SGc-l zWkZYaS6!-TD|X#TF-a!FZuQpAZFE0yJn@QNk|JvrI@3~9Mjg8k^SmD>NKv?Z+9ED6 zY2%*3QlISfyPvGwbJv}77PDAp^!=Z4J^zoc_h4$e(YLnK3keVe zq+>v&2^x_OYEYUA8WrhCLgeZAalPT7xe5Z%)wLTE-* z8Iu&_;%KV;81wa+pYKU@cWz^!T7g&9yDPWy+|Qy*Y_m$t2ym`?K~dMa zhqKr|J|5M(XzlfY7C3KK!t3;R?;Ac3gM$L;;{i85e~QwS2k`7+EDvG!YEPqwy+-5dLe#63V5%&`a$MNvoG&k+B}15oPP1<{xL;lzTjcn z2x$S0Dg3AB0)gjjnDD#w&m8x+bUavxUjV_{Cpt$@jJX+BkC+BiVjam}3NMBc2=>V!#xoMKl`NR6hp*bdb5QbTs~D>)G#Bj_)={d19%L z#yrKT7b-(aL8cW|Vy@mc0i| zK6QJ$rfhyGJJc1cTyZtE!mHYH?$}vMrSD@msU+f}sIO#ww+K(ceSg6*hvtSaDjx$+ zc3QW2-%0kd7mu^P5AOO{*iJB34E{ZG^^ys(GN%==Z^A&s%l;wx!~Q2v5rEK-Dvr8~ zu~CwT)B7^t;he%|bPM(3ZN6LRiC_3>3$!w;5XORi%p5=p-$DYhW#?r7+TrRZ@J4DT zE8JjXWmo@Oq5dOJkHo-@)*JPX*(r;gvT6Cp6#E5@_i?;34+%ePTm+9nfz&)9vm&$Sm^gL$?1sS~p0X%?PE|1!nR6-0zb z{~`H%61`IIPhEPdF_C|%S#NXkrWP-MKW}md-6Z$W&kWz9`m(#{RREy&6wsva8uHdx zx(m-+#**r-k!aPM@6}w)`xN)Sb-b>&z8Xe&A`MwcKI~n1a6kJ@l|z`}Wy`C_EN_CM z2SUvrXCixtgE<6Ja-v%Sp(?Fj!@P?1gO3yJ{e8@z`OK(ovc3guKb$QEJUsT{n8}ZD z8PX(#cdPy=U-z7LxCD$79*PcZ=)NiNbN$>K_O+U-_x?wCWpzr-szN4 zj;F)jHa0lRzX41R6oPILbYNO~JwIGw5GTI>fC4K&RmLD$qf3Y-i@=>6NdM9i8u@95Fj+yA(BzAm#%fX)0{3_KGi7 z5S1wz7zT8iI(JO6Dsh-U;QNqw*Sj@0`?(gejf|AeB@*k5U57y?cK<}HV!JlS;jNfG zo#AuJ&Ezm3iMol3h*V|2SDdnTI!HzlGflsNB{L%x)TeD`@MmhrGo;NGuY?*=uKBM3EiA}rG)$VCe^WrPX@ zL#1&9JqFr~9O10mODDb4|Pku6CCY5RYRL)JTA^jrki2* z8m}sr0j@cLre8qAzMBjZ;Y^^rotdh=;X@YBK!}cP_zM|ZDm++xM%UBVqqxcJG6lHG z6JbhrnyyD&y$+wiApZgJ*1@28tak?woNZrMl!okVn)*^@S6ES37JQr^ z3<|1XNzz`|A5Z|thGRk)G3JQtA&8@Gn%h{GMW|3Y|A)eV#6Fyfj&ATxk`^NCl|;H4 zgvUo&KT&nQmmbvC3xW2)jv6E@pN}_X{0qS|RM-gKo}O%(0VyS-#4Y~v_e4OF79(ud z+`e%xWuY~iU=j2?-Bkn@)9M3G-Gf-DUp;A&{DAbAzuU9Gn1SJ{-{7!>&5z*xn|e^diNmtEn+D z_uZ2@=y24x!V_6&Q~xLDNl&=5p14rK=ga+tIEv0#<_epIyULRFDl`x=m-mZ`>NAT{ zGYc;Z17pCMAr$1_w1ia5y->=%%~?nU#4+<&UP!Q4Ov25DCr2{N>?@L13{w@_ECxL# z<8`cl78Pa4mr4Vm7((eWdAKX_NdX@CV4IVVR8h77EiCsRdz3I_rOD`|q$mXJ#a^cypsxn|+rZeGQeq{$QBwh5YuFtBL z7P{9sT)^7AV@6DEmMOdvb-A;mbTbRRrCIeCrqi>N-U6QZSB%D16s5rTegI0Dd0LuT zb9=P{3n@nDa|y^)Y?qA8HYvfx6 zSwAWk+TEeq`MT+?p40cBRHODvBON-%hygbzw+S#fY=aRJL?F8@twI3HvAuH!Zi?B- zRuz4z6_Rc3BD*^50k^l8zc}PquLquW31kPTH`2VBrrf>VDMF+4#tqN%BY*rJr^C9b@Mad&a zTVn&!Kt8Z5e(;v-e~fe7(2s@xMeV*!)$46fWfkBy7X}<Cs3D{^onvgU2Kd8MzxXXt6j2jEjCV`rNu@)I-P478poh>1#w(nLzghdZ^Z+eTu0fG`K!Qx zOXdv-@VibVH->eEn*wrSJ}bycsJcKadG?U5P?*t)&bjkkLFG6BK;JyivhiH=e`&zu5XgHd_yVaV8jU z90%{GKdoXWO6}*A1a>X8!;Jn}wO}Itu3F%Lp<)0wUWc>sdhi^3CGz!uRwCJWJ^eRV z)^DywDjdU{|LdJIIaQ%R_ClmwFh|Ji={WQR8?Qf7_?LFhnDn4OmHIt;7YgELf*ZFM zV=LUN7l)L_ss|MN&Jg}!vfn0l}b;!Lj0*Z_3%6 zoxIM*?DuY@WPMoq2eY$0Ua>JdOYJ|LefIVAxqoqX56l%0dLzqbhV7QTw@=H8yHzxV>Tgek1tt@viwc8?`Gx+GL}4 z_JY z>_O$sK{)8&oE^_dzx!d#O7bOx@#5FpqQ$q2?$5jr{_a@r4*y-&SWRGkOpc6g#3cM9 zsVmwd-(!|VRa*R*R>`ogzvjxxvT5EZ)%4sUz#SV%t06sT5 zJ?#v7D`>m4QuaCTZhHyp<2nm5aq1mC_l+#cfi0;Y&i|LBPThGzdw1jcN4BKC^5Nf- zI=iaDp0)f3vWL%13*){)Yina3Fns|77btt&iCdn(0Z*;LW`xg{Pd_tm>|1^67iB{( zEMSANRxTJRGS6jq=}vOmzaTq_Qo+4UxB24sak&XU&0gK8wE@Sk?RMZ{eG|L74^fK2 zFXXzw9ymrr8D#ij?@Qtb$`Z(x)rsiJ-A}9Ce`)*Mh>XOs2|M=7Jk9X%qgdrbKUP2d zc&_+q(hjtEe4e!O#_!=@Rb7P$@FUp8NTBM;Aj!_BB`yr~p(|Jd1OQ~mKXxr8|0e86 zHen~cGC;-hE8ZxYk$k1^EL312pKhEZk4QYA*Q~BNciU6or5Ghs*7S#ysy#x2 zH__ompc-r}6gr5e_FQM^=N(cRW&%T^B;yaAiOrF(2S+~9^O!;8=(~>NjkWQOSlH*D z@))sl8$ZV3W2Qmu*mDw(%x?I(7H=CdUAVoq z=g(yWPJ=%LYu_a?Vh9|qy^VjwG3(9OlrU$bukoe4f{IHi*zp)E0M~jXm2zN-Hu1?| zSVcvlQ*w;)`|wDl)1}3iO)oEjdk)ApmrENA*XzK=dJ&%Iqg=boOS0637jGT;G$*8x zz1^-O84kr?D|z%1J^UOfU3T+qgs_tD8Wa-YtAl88MuosNaQ`rN`xZ8152vsh`>T-u zdm#4!TXDblFUlSl+`lx^)lu^Efq=Y@^k{>EpsE>KZ8H(VPS7@b{zZB#vIGf;n z;)#BxxLW8h*`$s0`qDiW_K@HsaDDk-<}tYB@X%}x9}pC4BD>7Rm&T)F36Sf>afzw& z|Dta9SBlhmFVR$rZjoPuycgkCRq zuJGyjj8`+f2IBd|lmPJIRcv4A?f!!I6YHY>_)+UMHpnM;qenH;YrebBrI$NP9#PSG zibAnKT-xfY{pANHk2Y6-KViT6^wqB6k%It>ykQ|lwGhaQulT&zCoaLkNvaHWzw$4M ze8%qw`kkxfpyqz)0o6r4ftwqXu(q{k9d2^ScM0J`g%Ci{&gby_iw~A~Lmo;kfr&uy z0VixosjJMuBOBK*U|w!r9(Zmg)PimN~JMti6YiRKD_mn%a(7B(*rs%g0rbtp(#)~qY$ zzEiqIh2gvE!I1LcjLrvFN`UYh4K5LCryLZ<^p=P!#fNT_ll0g93L=f}^1sgi95Drs zIZ~+XA}=o=D+@ODEZAd*c_P>OSdAcvH9~dO#xVl<0iUuf$ z*)o}Jy><(b`NZePlqdB>iho|~^0^OTPJ8J63K&Y(T{Rq2`=m(7C_bHx{QftMQPS0o?u>B-e*qlmw-ofzPe1U% zKe)wL!8>OP%Q+39Cc>Ze2ahLRL0#z55&!w+n&^5?ap+1r1u2g`bvR?xjOApR&KglY z>&r<&ouLTuLWb-3CLBDo8aNFv4HT^J!;U0raB+cWfmz=}6otYwYQ3A|9Yy0F;zeix z6F``h2e+Xlmh#ct@v-zB!xPug$dnt<{9(-IX^s1<)()o8Q#X4Mn4iL-M2X&$cK8G^ z86xtKkES;AIY2(;V1VGY>ZN`{xH|3Mk+41h?f1SU-@`5 zv7uHabnQ;p=irAzk|*}YBP}7;Utd5{M%Y*9pT7;ej|Omg$1qdFS#uzP#^7sZgQv-JarC%7K%g85bhu3${kaKynhTEwwN zo?s){SU@e!IHU%YF4sBRsNMz)4Y9v);{>u-_A7lv@LJ*R6Splh?m*0(rp%rNM@VV@ zm;`P}3Rs(mD*Q&`{p*w|isQMaPldo*?VG2PB+g$P37yF2sFzt2&hgX-p5We)01rjy z@*vkt9v9+Kmc!B)GKa5*G=EEjgx~qdL5eI_me!51%Qp`jne(cUQg*s7E!~}=vjyn| z+Yp>zO_>`jM)TFqxjqpo&^a$n{Z_GTIv=T8N(lT^d!ff0{{`$t?#6g4J|L+SmQWzw%YlXq0M&pw|1)|@6Q!&i7YH&Znp4m zTpoE5B4X4mk{U55@E&7U@4h40rhe?qew(%0!fxAMPz|Dnx;kCbTwLwt_Hlx;T=UUg z%0YvNFfTN9Z6^dE?fVEs#vmLFCB6GpY65pN%_e^&HO1|h;&=#SA>(bZ;e;#@f)8lZ68XXc)F*e_~2)yEq`Uk0QkXY z@d5l;!yDDi(lH<~9+!+f8Z2<;fs}-upEVYpIV`TK#7dg&Ts_dz_LLQ*yG?^qj{PiIDK)Ovziu(;@Cn#5en(f?;QUrI@dy_EK6xG|v*x+;>&{ z^4Tx%@plrr_(+DMFwmIicL;y@*z=&%?Fn?1FGVuBwnwhD_g6tlqP7c`JvqJS_BGlupT21lZ0nTZiqP*+s}2UYO5rR1EjqZei4vCl3J9BJ?RtJ@e5vTje0u3k zlPJ{1Ga|rd>Bey!HK5xHB&xLauTbvhy}MFD3;zn`D50e?lYM}DZPQK5Zz=;i+UN9I zUEH{KdIP#9PRpq19|y!Vir@uz4h}7rCU9M*i*5V1{#^cAx!YxB`LsE&%`0epT~M%_ z`DOqlb;0<|(76ZyO5###K8*wve)PL{OXM@&tHQQmH}6m9s+Zyqo8$*;s%pPy$Fr}@ z*zUj#wnBwZg>YHMcaEtt`#t_TXuY!4D+Ylmq2*^c@wm{8zAi)nv))Su{l&h)>p;HH7NMT$(vz(tteMAyqAC+qH#82 zA}e9x{zS0Ea1e`7>VcyLfLkNGqQZMx?3D}xVM8wO1i*Bv711Q@MFB{T2^qwq$7z7~ zSgxCf9%32b+ZoZU(#XWQXsT@Rx>@j>S$lJ{K#L|9?sdx(41fjojE(NiT{J;!w z9y8)aq}kBxkSOzT)^4mX9TeXhNga-C^0hSgiDP{?n@YW|UIKg>hPThX#k!Dc>jDF~uWGe<{j+`1r#Ji%Ky92!J> z1ZSZ2XlOj`p(Y-cFc@#ijE`=O{;?J7JQqD98~0e&b9LB$#VH1sY2!+c3GoI>vlaI* zrVzI1sE6S+A*0+WV0PWw_XzlB3JObw=|xBXY)z~&^qNwSGddq>53Esw*)HJcTj}4INhVzNWF$s4KN&an?#*HqV z<_J?9P&pdPJ{)9EL}$_f)>yC!*5hpRWzn{11K*Sy!-T2ffQ!!(XAP48G4>@*wqTRg zqvvhT5Da-S$u-!lJ^*N-45&v0^x#GUNJLNP#i9_YJm z2*1G@iV8)8<1O+877r6J?qg|iF9Lj!0BNHO8?_g#b8JXt2u!Hm%@9<9z(dsL^4kU1Sk180jWg^jj|b7b2!jD5m6lZnp)c z_ibh~Ciw{wqH!4RM+9(Dqr9n5Fd1AYm5ZkoutYUW9Q?}`%2QI1f!BQs&Acq-DqPO| zt36Sv#vy>eNe||Ok>SN;6uZhI+!_)l&lwR5FRe)2iz#!8&5gfM_@~TGY9|*5H%O{D z_^%Snl`IZ%UJakW4Hjz1qw^)VoXaX>;m@`Ue(gse@y%upM;dOIJ=d!|KbW8pTWLzs zl*T;tAc5De0OWB%Jgrz36M5RAs?5J?WTD0&vub>#Dn>JX@lNKRip%lR1UF%WDS%CD z1z_pI%~eZ)rwO2#$r(k>`X*=VL9BQeTVdZ0uGp^mqM0CG5lL?^F$*qQ*07uYQD=P6 zfaMHr6Hfl+u3p6h)}wI^N3cNi_@Sq?Sv3W?)B*hK=AP9p#n_4kR8Px;Zfi9* zlbb7KsPKXa_JWW%#@54%Q#Kex&}zWT*9BTNS!mToWu-_~)Wv7m?m4>@7;sME%1!A2 z2t$@v741P}+w!H)$dLbTsbn+Z2edjx{hK~4v;|c*{FZCI_qM^s^ntxr{apf(rQ;OE zN`^O$!k&?e&olpqV(C_YLov<{u%Aei78RC2y)*r-@OxlBc|sVsZpj+5M`QrTi2&}oY5(THpKCD&djSh!>PG;*=_3_AiN za{Y`m%G1Dsy@MnUwh!%ts=LzBJ(yipc_AS`pu|!uGu}DW$f+F{)hf31@8HYD zU0vC~7wp>WMdDBw+7^}<o))86m>cRxL zV|>41C(0Y!;HTA;gX-%P=rbAXKJ=qoucBmGSV5cspkfus6&S-98yP_i?qrV>21gfy3ZmfY+66$K&B|tp=*J zhj_D_EIOLL#ugbp>r07jov(PtgLfw5db7x&3H*pk7Q`#K<8FLQ#ZpbqyAhA2VQ+<6 z!K0bl7h7)_J-rY)YD5-dw?aCNhO;QZC-ME~aT5c-An3qu_xB@J3Vl3F6MUojO~~h; zD@(xsahX+!r7Hi!3UK9${yuB?WqMbDY(rLdOJC*4_TmU~dE|Lj!>6ACW7$2VwDF+7 z$29%B0@XY4G_cXw@;g9o7F>lia!+(%6y5iDi8bt1HDT)7*QgQPs6gsaE&rQL(MJC! zQ`AYo^2^IKm@5I?L4&iCsd{qT8?7du#j!+%o}a@L-kq>|h4Bk=PXmW+p;XZz>Nro@ zq!uTA`6mRc_`-%T!`{}3wSK`9N9W0*PoPIX{hGRVs&=N;Vb%zrG5I$;GNtJ7Q(ks3 zA$D$n>sj!UX;AcshaOCL#jpNb?K3i66CZM3sGler~`?+IgaZODh zhGYC2d^8F1a{rLa(IOHjy|D83W4d`_*w2(GjV^%lg;I4A>Da$pVm#Tj4 zx3N}o=R1O`{n)V-iCr)Ica_7L^?#}ynJsl9TC3j_IXxbAUpzK{iPZw0SWfRMiJ$XW zld(H<6&&8pzC-*vX5!x~Mvu8bHcY_f&BN?*@~=S~JGo<|u@^?ahqtZX_kV1=syKAk zGW?He_<7~ylB%yJXxrg6D>W0~1RD4(9TA5;Ub76%bR78`D>2`E?^^Zj9`kg4Khy!M z+W~uE;YCM2(Fvb+ZhT_LO6-}UpU2){ac>;Nn0llc$5YHW0))L_gs_E_Qa?=)ISx{{ z!)_!;vOu}PAO79mpj6=iAKC2|v#abWI^Zh%W*9qSV$T^7 zI1JglIhZ~6YWgAp^^wu>RO{~vvXe}%ls{aH0ANPqKD)m0KNrYu)PA?J{Sd*$QBT@B z%Rt1@5dz2m);GlNy^BMDxan(WsPs=G8w#sGPj<4~75@pB7`qStu%n}hkP=Q#)_=Mi zQ>%OI>tuH+h`V&apzYse$sBv?wHxSvu9KDJe^+Vy{^1@+3FVa>^|RXQ-}(j%1;XKf z`VxO;1AYN|IGzh@LpiyuUltBzg+m0I@q2w&QrtcP3d&4BOg?ed++kl`zRTU_vpU>% z)U48|+T*pu80q9I9yRZ!oeZ4ETIgdr$Vv>aTF<3ujD5Ut6N%P)wM6blC;5BmP@!Ie za7ge8GX?=W0 zkJM^cfYgM6s5b_&wRFDF3Jf~!x{L&FZ(S`mdS=feNWfue4V!j?*GAbePEc#3EEu@k zBQ0nzCasKm>}IvX`A|8wu=1s&ps_n%`5MD$-$PTS_yr^rN{6D(VI43HFpxJXF5;2jw&=P#nwXY0M>?uJmI5} zz{{?n_Zr<?b&nr?bM_E@5*T41oq>PS*NwafRJtMi{Nyzwi6@aeOClG! zCIv%*;d+91Cf-Q_ zBvIz^d(RCGIKxc}r1-Bgc|5)q-hI+dAO-`)=01mvxT8R(&Xz5H9MW zxqyl|*>Fcju{(xT`;hE>9;O+1^m1l2JRrakjXP*g z69muEii1VI>=nS2_5czs3pKCZ;ew(TMQe7YF|}A@UqBD-7^KF3{iyW8n=UVnYv=5w z(eAHqUDkFN5xe}p@YthE^Ex3p&I@;B9;xpv^d-w(kX=i7tUi)EV}T*S992b!!(v3f zy#@>OQ$k?jMVB?8kXa?nL2hHazQad9F9L2R+`%)}Qt0J!HsN~>$9~^`SsM(qa@%3{ zXrer+j}AtDl@J3I`qYw#j*CXvc z86ljr4lI2J*i#OHb0Z3P#A)YvltW@}4&M~i0sw!+e-Be_y?6gBxbT-QDMG^1E!v>p zmS+hUa&M2lG{+czw^JCQJ{56rIkxZUjn7(L%;ykl2U%u^k^oRh^n(wlgYz)4AZs0e ziNIhC%_kO(&_R@%7l;-q^+_t6pE>9bZvr{0l>lomhq0yp38`11DZ^k>M-WSLx;<#I&trN*SQR3OS z1f{c~k1F$gztG;%fq-ClLoIBs-+j?5MTTqB!!PW)U~_zD2~eOaZFcPggSoL zG<|PIwR_oZGa+ha(X1!DbNg(U|M%-^rqC5}X?>sm6P>I$bh7#e^2^3$oayr$Ut)GI zT{4;JWVdpZ^KSKqD`tV8827#3czO9g;|f5V+Lp!$y`VQ80wG7LHw zYnthJJZR^tvFM(eFjBj1J(lM_@hZR=z?WKl73m#Jxu)O4%b~z~!Mr5g$u48e%-O9h z$Ld%seaZ81mLU&uzAZz{%dfk2BtO{C;7NkYy1Kak=I^~5g0UafS7GPxV&7gQ$EF=J z{;l!W;E=80=aA<$t!R|Z!qLGEvh$)MeDky)9 z>r5LmR<>kM#!DfV28kPU7Rc~XUqHAu#(XK;YD(hND0fPq`&s1mW4yPB~-f6i?2@P>?N+9Fgk@Q?iwE;-J#$mY4V%uy>?yH&41dvT6QSO)Vr7b&E2Kh zam|C6(i*?Sh(gMhmf*4PuHyMzFLp(musGG!LikM|fKR`xIt6a=JTX``-B{Dbs(9zw zrQ}1Z>$j|Soj$Jlep3j#)T;7G@ZPVL+r;!6PXRgzc1*7ZR5!PEMt z{@Xnhs*KRsqwuSk?A}j1F0WCdpKX@o33w# zO5!frWDI}1+K5BheT);D%JWedY!~}rs8l3!Kv`lvET>r6@W3yP7qEutUy zh46IlelVvNI)^(XIz)o&akMG2kO!#NxvoNr<x;r%rK*A*OkS z^i3R2lH2)`zMQMjP`Vw|$O>N*_<_?pB@7U;4joayaYS9>U_JS)R3T5IZ~txS1~pGw zrhL5n`HdJ^KZ33}D7S3V?E>cJYCm?m-B;tbO|@r<_Uoq5jl3Vx+~GuUrjdh^fklmC zJ_q&4nXd>ic#2!zH8=vx&3+b;RLa!*W~D1OG8O&h9nwsfsGm$6FUgds7+Nght$Z7* zaPX)e-_0w1`j#(_pM9@?<7d{MVY;HB`&f9{MTv#0b*Hl{#@&3h&BUYDUY25u9W3VZ zuSds@MVw8E>H=f!Qrm|QUnmoNMt#F?gGux?JQ#ZA{g%qBsqweu)FLUxw|&~Pd9_WA zxlG+P#Pw0cFWS`zMQauz*(oL_pr0%K>(A2Pnl!cI1J@sq*h||*{cI5zpP_ckMXF`B z8XGzDg(fbQ>1UUL_@&TQcGVNF&&IXg?vf2~8koB{nX%CF;#yOA#vRvLGXo>qIK;nN z0-p|=yLFI1`gFMLRes^6$d8W-_6EofmHxB_r|b2WsnVV@0xzDYUC$W>nfM0X*H80^ zzkj#bMEjy)^4AlR{P(-=xGthvtR`?6kG)cSm?i(Y_1OX)De0TM`*yG1v_w~w^*E@B zTz4^PZbQO6w5!&xQ%(CdN4^vZjQ?QksqXik0_C=qmIlARb?iDU?LI;}-ysoisZ=vOQ5@PqDR9%EeqSb*?{e~;N0dvvEUR4C9IV-oEe`k3} zP{c;?pm&8QSn9Y%PQm>-*e#r2h-0)ea7MEs?f*oi)=|kS#VG-&cJc09q ziOI!Y*c-0>&rbWrV)hV$gLG55Cl)E6(YfR=yE}XCLG-y_ z>lka_!Pbi(>~zH4g+4#B%Tx3J`bPic>U0Q<_nY|r%cdV@3lo_6uuIGYi;}r-nS7^` z`!!2j$Y8PI^M`P55aX|2-J`zxXZ5PRRPL<_TG7L1&mG#S%m1}u0svt;C!oh5hXtR~ z+ea;`W9=dPkH6OZ%*=0HD6$4$ZH zM)zLWz#yFEvVE)S2KP;YQ~b2VA1?#MUR%m2#<=VtlV0#3_Z4UxXYb<4@g-nVcvF!hDz_AB2iupf_s-|V1SrwKUA$I!9FK^22; z!#&u5Kfp%&Z>IZO(x4ZEL#;`n*9lPBy$4nlub6%j4{1*|8A*R{PimS=U$20HYOv(@ z^A4|ZZ}`Lq9DHwIle1$8CBW`*Bit+{gUF6|jtufPdisICb03@W3n!tg;h_ux?*g?4 zn?BxA6#wcLh;v4$H9hn?6L^RK{Uq}ck$RG}c}qvtuTqc)BP?k0UXM&*Sfs|r zHymrTUv_Ztgj+wt4q#_A>s!eiWR;`}z_~T|^XAxv=;+ z|DZt+;UVA5_=dk}!`b>VP&fN>&hF5%s8e)5~%0krEkJy~&E)H-xAY z5|0LhRV<+S7_=%mu6q)7o)#70jsJ|{dYZx2FBrYr?-^D`#(3*+`l;l6B|k57HBwW0 zyceEg&SyCz_k?msoD3Htp_NpVj+8@XNuicxls^qnG?es%%6V9R&$pEq}c$HZk0ILw5C}yvyPg_qG^vRd?PDm)1xqnO3bX5x1&7TEW9g+0IKX8*+ek=iWxgP>xoHL zc^l%7N4ToO|1i09+8k4h9e)XM^Ka+K1Hfkp@pO8@??E4yG{}tUl61cC*7azvzFbFY zVWx$v9YD@9=5}dssu&5JL5D9Bv$A%e-uSd7ch4dB@_uB0hl_2RoT5JKpa&zPNNOdMnWI9F#JP6ci_n926HCb9(I-%xK;?X@9O8@lA zsmGNbnuQRTQYgyT+c|hPxwNlc=je~zU7+2GAII(-E@S^!*C!pDtN?Tps*Cgys@S6W zit2?QK}RyOt!YUK{sEh+1IA1Vb)T+x@9vtwIhLjYz>N&W^%ku~jx6YGj!*>EOCN5c0(c%5jjQNs9c6 zET5Mz(gZ}>BOtpm{vUiJPwm%(D&U%!iiTE5k!3{_37v{XMqyBgn5Z@~L^YkL*AW$j z05|$KUKDA&yx5qs*w`)KbPZLNE>|_=({zGRWyg%R!#p_D5%Py7j+Q`18&kE~QUj>4?6$~^Le6Jxy+5do{b+94kf}|uJ^@i7f+(hW zfEjt33qn7R^KS@XgMH zfJE|Bxo6oG>74Tv@H)1*PlN($hqBtB-}ZqQ>B*;_A+P;_jng^r5?~dMNf(2`MZw^s z1n5uz%?g8tDIh1Q0Z&_NC9S)JDhi}>dOZ||y!~@ikfb+9Q*(b(1AmD-Gly7q0M7eF z5I>Fg2{p!s2>((FU!^ynYNjfp7mf=jO%dw4i-%p;3B zYIw=7YAB~;DD&CSL!&I>Xo4*!&4$749LZH1%;k@(w*>SU8V#7r7pDSf{&asg!NEFL z@F=SDY8H5lm}HqVqDvjAiU-^M0y-E#HTO}I6vu;EqXx)I-HzIOzrc$}$NF5y9>v{204>K7d2Ae+zYwd7 z1s-Lx!`OZ>^TqLi;=09wDkF{ql0(;N1aFH)Fj|Ag6T1rfjR8TM@w<2T@iuuJbk)aj5v(3-|OYL03*qb106P zB}|*qL6CQJ8T90V@#&51q32aY$6fE31CZqbZcf!RU?O-Ok6IP&zb8gHjiaPkBfWkv z`Yu1Z!~Rgl95gCK(WS-CF-g`OI*>4TAedspqIrSIP$eAj7`Cy~mF}{%objPGJ4j#< z4IX??=Ng~qG+wY$Y*JY29d~V-s{=3XErc*8Pq3HF-XOQw@06AF=T0%S0!-9|9Kk`( z5oUdJ{ryk9ETV#L1|nF<20XFcEgDP@nnPGZ2lr8Rbks|c#;Ej1(Xt>_|KZwdfOsy?LJqiTd9_l8f~J5QQ6)zRpbG>BYz18?({nv| zj@X%uXO#Qn=iJPfA`{ls&qJMeQ2D`#PKEX7ekqnvP^Q?*md#3D!W)GLD|yT7u#1z| zL|!RPNM$6u~|CkJy}ABe6zoxAAHMJiEGJK;csb*8;Qqjq&3A4r|?=t18PA zCP_uU$$ZkW@-8?@|2=RG3zU*!@Nw+3d!m+Q@;G|bM) z(U#>$6dju{s!Vh~4H{Nn>ucB;H#&9EZJRxApz`OVTJ4*_{5Q2Vy>%14q?%k0mQ1*} z&YPG!QnYuV{8P~X$VVJ!@?Y)Nw-Nfca1_Iwt=jWzHNMXeiZ5TJ%-Yp{-bJIU=^xs$ zIZ@Rpo2B%@hFZ_#jc@PL*YIyLmp`iJ?^dyXs(;$e9slb2{_DjV+_M9(GG2bd(B4V0 zs4;ZPsY)!`B$m1VGpk}YjdV00qg@PiPSU^dwpJiYJ#)u63ziQ+A0<8Knn-ud-#K^# z)X$25sz~I-0pg2T*$&AzpsEAUy;FZGYqkM{{{~uR( z9oKZ*Km32a!H6N$5tVxWVOqbkZCbKL1DHhMl`;-*vr+EW zoLyLpVvvzCuKi;Eu+f=?K;JGgfq0X?wGDqT89sJ$5Q93OI8> z`TbB)o+{F}=b#`A(TOye{WaF2lfeXx+ryKS7aUi27f|;8( zxl9UD$D%F-Af08b%uk?yZQ)fse#{wU7mn$afX^q!YxgX3e{t{4M6v0ozrR}@_6}*> zqJ5D_MBE>JelM4YUV)#}RaGhwl=`jMyNcA(!LK&`2S^a z#GROXaz|9Q9Pr9Mw$|meeb(maV4tTzb^f$y zmQ~g0JkN2BZ)?^D8l+9d9H0ba4W$vw8KP@vAw_0bM10tc5RtHE$D58_e<=s>jcLF8 z_LAnk!Q_EEL1YfN#3LvFn4YeisE6L|pBtK^`8=MAz=9(uLqf`=^@2%AN#;!O&@}-w z{18lXreO^da9J2};_CR&;YIpfXb)j7^$NMQ1uJRCVtIvS3yDZ7iym_aiu2pWd4DrL z6YX*iPX2rF{&7&9ut_9ln6Fjb+^uq;zTrk)qkZ--mkR7rA4nF@RWDw(VHi3Lr}08J zZH~g5Z{y92fF&*{p0Gx&Wdr-n$A^RyB#1ZjRle!`2`g>gbrLu9jFl8PJZvWuVK>yY zYAoK-r7G+6ec1L^ovyaY$<(}^(j=t|taIa>ngg}>@|bO#DkLryjKrCd>_0q7-75+a z8MWtahLpGlSeZ|6Kt9R*9bYSQG7F9nOj&M*LfHvST7l7z0-dkFQFRdMDdgGo`L&yWjx9RmZoU_`L8LGB z3je|I^LwvUaO#Qa-YSVit$rc4u*EJ!;nk`jh((nxVbVuM6P_;W2 zRQA;kMFC_8;S-bf@OdiE0E=}n?62d8@&!{Zw&+H3d&LerL$aTZ=6fda$j&J?e?RwL z@iQCt$qk*k3|4OV8>u5csw8LJBEyI2w2?bNC9MH3*<>q^YO>i$PWR*wRf*{ztgN51 zm!Pph3ON)Z7UH#p)1$(KcXdbO=NFELs`@Qq4NP*urU-N~qJn_1Awl2| zXN%1D*^ru5d*g7Ti}kaRhVjl&xfl#5Y673B7gm7m*zTH$>#9oir5dh0vp@?7>DuWX zR(1-6dQ8 zo+%8UDH6VQzWuPl57-G8QiBrF2Heug-xEK=uk<}sFI$uMjR~Q5^n9sP!X4_@xUNJ@ zS@WMkW8dM@uB5k9QTM;t6=}9j@Rr;Mh$#o0P?c;WaThJ#`9`7`0m#^>k!uwjH)yf* zKJc9_7%&qv*>BaVs#@i0KzYQIFfhWe6ELg9=`4b|u*Jr3*4avdIm-Bo;X?*tW{*{j zqX?9yf=r!cyPfHu_X{HDWZkXWs)BMwI`8o%=$^YT4LE>izkt|vAHK|+0uHWa`=N`|27)-fm8) z{dW_Ky|S?#OlYU0C_+)|qa0!ee%P6z_Q;6t9!{+dNjocuCsL&iCZ6lZhl1`C$0`LG zZ*lW=&tr-mWchxH-6MP*$=?vFvHR;&F<7#YZm^WP;c%;(*I)5tU>QiRV9Sj=;RK`7 z6_Tx&UUt5?&+lAy0uMmQ?$k-UW>I}Md*Uev`FV!}eW&9@>!M#95TrZoZI#1aV*rKqXf^PCCAyD9|9v5beu|-*~rH) z-pQHXD1Y*`N#xZ?+oM*6Y#L`kB4j+`?g9HAKblk~f=wxw_fi$c0!bXJ;&Z)90^GJ2;Pc0L%H&9Ne>sTxKNWg>5Ib1<;j478;BZK1d)JV>1lQ~=`8 zISx#EH1mj4H7RDF9#6=bWn1?xf{*^YC7uF$DmR?8-*KfDt_C2jRBqv9BS6mZS8WJ8W$0@k(v!f6dWVRv0EbANb=S8 zRCQ8G?5IvHP-?+mMdZ=qA7h^?(iy;`GtB#{$y5i#jdK{Ya`Gcxe0Ex!!*CTaZg(8z zo6R=^;Kx8cF!V5#)uB?CQyC_cX%kEj&Piom;Us0WweHVfW>VR?V!KZB9wZA4`Ji*Y zSCwbj-mIm)GS9sh80QOjY_oku0jaU>#*hFd>F}kDoM=p`{+!zDXvyUe@=oU?zU-QK z78GAWgZcs>XfQtuz@4DQU|=Wj3B~TxgPbQO_&UFibWLiWm@b%@vO&o6Du(O~4D0dD z1&Rtsk`Q>ni#;oeePEPUQ_QlILSVLw8ZB@R_HO{|`lM@;FC2kyy>4UO?G8~3Y&|mR zC|3LENEJ{f6)rCU#$W;4wj?lyF11P(*~ddtK_q8bD1ZiLABWVsPPKG0j&>a*Df(u+=aLXJWB=YeFiawXSLW$Fm>jQ{ zutX9i&Q~ZN!#Xmll&<_V%_Cb6O>x-G(FM?i&${WQlB5_Op8GQ*EWmd4adC6N=clUF zt}c7?P-Z z(@J9MRE<>liCS_{nJp!T{1U533a=C1Jfrjt-pb zHUvue>)i=7WX{x3YxI06dJEu#mTf40cjja}&|m>-fL++00{Ee+;%I6}5NY?$0u|zE zA~HYijC*YADbM42d{Kt75KyXO+dfgqo4WYVMsDJ1su}*0LmY6BLA95F*kD1N`*TTX z$5a*n3~B$B`RNR;*L;6(n+~IHAn0qI)RPFH;6F29CfN)_Iy^H^Hz$eDke0Nchv{4G zRR>HDOo^HG{74)69_Z!Nz&+>VrWw-%ne6@Lk8l5Zj?7tQ`%RaN=T{x>Q-U!-bT_CB3sUxlSnMyo-=MnY zE~3IiLr6fmEr}ZIlNbd9Amt2vFq$AXz4hZsx zOgDZG)s=l%(15OF@Z2cCd+-qA@RffV(vSQc|ceI{so#*)vR$+NU_RlL{Kk;{#^E>jYz9H z?Eo$K{^J|$7Ssj-G0i=N=aArB631DDFVN&Meg=cI0AH%XR<=DR8<`3QabWjEy5c0p z0VvXS{cxYwWzVjL8Q02yAc{sPz?zipG82v`Za|4JQHeK1)thEBBq1-L{;TZW#-oHJ z@!o${Dl~NWj84=GoP7UfN+K{fmPQZ4(onrrE3_{j1)}Ig`mIv=BB^`~Wx6*-pR{h} zn{Av$-S`E28%1(3dUn0c*-I1vOB$3!)IG40oaLtnGEJ2^5L05d6@r|5epU((1ox61 zy(3Wq!E*x?qZsv`rlW++h%Yj$QL>$nUFI)7eAARgP{q)35-(8*;DLffw#ODo6i?P! zr7lhb-8;EC3!s z7MFm?5kA6=Xa=cdgH^JQ5lxB>o)J2Pir>;tB`u^toOek`36K`2ED&of1afdv&Vh9+ zo#Q}nNCcHit`KHW1IKqaf5en$%|chfl?T8GH2Bc{(?P1RvnL}at0#i0L(G*o3CE&y zMxB1Bf7Zk%@5@WV|mteFVGETlL87eOTEWh$vPz4;hPnI$w@o@ka3pAbHPX^&T z*E?mV!JDaK53sjpvF9dAuDz+-R;^tt{wM64CJ7eG0?2(%_$d}A7YUI=QS5!Qbr@g? z232S4Gn_$nWs>E4X}7WfYVXL3yMQG*ko7Kbfs@#C@3z(jei07zX!Bc@g|qyNyQOlJ z@R=A>#_9R9v*LCD4=fakfpV9CdNOE13)%GWP_cJkQ8Anr5rpbKFyqS)`CM7^}lXTui?;CNsNo+7pdQt55wcJzaCEfo7 zeFvk4Iz0bgvvNp&_vp#pcn zzAUi79ooq)8vimIP@C?H0QjVs@mQKTGu2@$TRajX z;R}}Vg_!y7%d@E?G+>A?7?leA^_HA^1mwI+Ipm8i&Oz0pqzPn{%#ZJgU{ZK0HOHFr z(+;9Qj4Hq27JgyjKs@!w?RVe-!LwCUvZCi(;_}!T+?u-@cMfeD zphnBc$a!6DTjJlk^7@~+To?kKg;=!>4k5X7cSz&No&TQ8ia7J*c!po<=W9XP_PL41 zY_PFWs?tv+DitvB`k?(SIsZ&H=)zfH0(@?XC-4L#5NLQ&GED~yKar|uEdlaLeLZ;c ztARs`92}v?+>b;jp`mx=Ej#Y)cftfma}Vv^@qJnkwaXP(@A&0r>qhn8z?*6O+Indi zx8t%u^PJ5ON!(nXO?LQnt*SczRZ-iIX~-3%bx>uh^6_OQDL3r6qRkk{6A7=sst4uu z%tuLzX-6N-BeLPfXaZ>q1QyJNTVf`np3>nZd^e@`uwhY%I+>m1jR~>C;wI<}(pDWv zS-hMOmnPzqFd7hbx&62CN$U;NT_@N zP0*O=IY+{Kw*Eli4P-O8X`Q?8-Wn!;ns}z+(Hht%d31Ryb+kzKuDNO+h zP5DIV65{EYRY!qpqBTX+hA(&=tq>A!6@f$(-gv?*E>U32(iHaj=JswkWczfAQ1OBB zg#AmwqSYTbgROlQocB{LgP+$?HBTA+>6j1Q6#wemV^jNID7YyKg`S7nGiF@DkbT0W zY(-u9NzbsbT8a#Yjdl_HB{t=+%X9CPd^+^l(bnq(dOVIEg!pAhjFKz$iGn_KHju39~NB7Z(;< z-1l}VRAdSAZb5F5(It&8nfDBH#eeDvGkB1G$u-4aqZR;!WPTL@HbshA^PceAEmg-~ z9D1axy`1<-YSc{GK}hh}8;)0KPu4gh5>RUWIx9VFZOP|sF_1#BM6Z-G_6XS{tS7Qvs!(VK4 za#Xh;D`l`o9=pAPR24n8sBHi{3cIXIm%Wa>2ar6HTovvWHc$A}m--j&P!-c=BB(1y?)L4D_YH&|*M>NW8%?;` z@XFkb9C~zfa2G3nvwGOJz3fH0p1yY2pq{Sr!74|##PjLS$!9aRT>@J&j>y^98@qH( zme25GB?oWe9D&6di0p|^0}a!%$jDl2Id!vt+M!Y+SvtBHCi@_~E!E}d^z%gAE!zdb z?Q*ffI0Wwt^}y+8j_3=iYrH(^N209-4)#}h#7g?!OsGvyy{>~RjD45mGqzwkzY(id zEa`mjDTNDwsT~GIYvCbR?t%0bnZ{T2M^BeXICkB3JET%a0`koOO*3n$vk4)*XN=a= zI?h^E*8xyR{T`d%-Ybe*0P#sNhxoG?IX8?{(k5H4l9sZ&yOynaoYd+MvBy+HR@Z>1 zo2~el6|?_kHwn>xdn%c&(iAFYM5iO||0bd=In}#aRqs7jtxJIljaaC0|FDkSE~!YC zjSj=qz}#0g^xOBKE`(YHNS%YVXEErhCKYy!$3VAFXIw6=;eVpF4x390n0j<%nTN4n13>8vVG$pHMqulmZ`M}1*uVyO-8FU->ujqBqv$7 zSw(&Z=Nj5|i2pH>?o}OJ^X*QA`R8%=W!<4en-a{!#nv*gTxw(%uw} zek+0nFe`HK?sUJ~e_A^R+@;CU#5N$}0nFhAA!X`6S^{!ma9)mEQOX@9fduTFoS81| zQ0XfFBcOYFj1dx|rqpl{OT@}m5UE~YfKnPH*fA{2eVmLwk=R+Ixve?(4pP< zld97))I#fpIn;~|v{))-`QIH65gj`FK@z8`Wi7O{F!JYEFWmmL4f4UEs{(-8S3aC| z(VdSmM-h9l3)Nu}ixnihU#*2^8$-Z4_Cx*(0!cnLL_CN&q>jFuD{$RfICYnVx}BS& z7zq*{VT@o>X0DIFdILX`SD%yMr1Q4&8(gp=B-eW-BL+&YN!5NYxHDZ*b6a=j6 zA1bZy=KBo%#QEN+N?2ISGmlgP{Mq~r^xP&L&aMaepfJ}hwaY!)61wSEz?o7(*>;h` zhX{Vj(m#&!o9!rKp=ZGI+3Xw-e368}XBob4XC=c#hQQj#yWt>mf}oZ)!sIPbL$yFJ z|1U{UAD`R)E|o;yxhj}$#&PgKX#xd%-|C;)(THb!z4ns3g_Z>o>2c#%P{_L^$ybbh zFk5AGryMs8T6@A;=2y;U+fLx^Wnr-ZQ`6NF7rYfe=sQIKxmHm>E!@08%2PCY1AJ2G zNEFv8gr9A$?(dHa^T`k zk^>kE^&P#?n8Zt;h8i1 zl3^V2dK*zgz!{mT?D3Xin$HS;U?Q{-bl6dj=klS`6a0rUHPV4NTdm@*o044 z7AD3oY`i;+KZFfl##~JfbZ7Pe@c_V)_nxV{R}#t;H#J^par)@`0p2?cw`1QqT`x#U z4;YAU6$f@kvFuBr@dv3p`$C!IvDUfPQx^uYg_zy-5lh|5!GER>e=#*4GX6%dkgj!; zay`0oMG9URt5}1|9R6AWX^4wG9@#!MT z=iO>6LGhvrzNv4YMZU^-+kUR1c-vTPB*UQ^aEkFu)UPq(o9>tEmzoo}OU`bLXA8p- zx9x{dbo7QmWGh67!T=n3aXwoXC*kG3n+ifB#Y0tYD$@nJ@un8-jP>zZQze*;QWqsSD30Vi>b7N&Opm28w zebI1FS2rwB`e2e7vfTFYv|FGLCr@o6z`2VVV zUMOENeRiw6Qr#~qdbu99Sq{MaZT^SK0AsmS#wJ@-qpZdKraNQkYR{YWWpDYE?}9lA z{)W%E4JgAad7;f5#m@6r57(px|J|y{$WL#qLF8Chy}DBvQYGJ1>6RYlvSO{S0=S`= zTg%Ih&JFb`tL;Mh(z4SuD*A?;hxB4n^p~s5p8UR%5ZFv9tUl96njVTQTAzLZvOFwX zGq=5XrSpw;APK0i)4CN}a&2#CG{-wIA$`t0M!QGOV`7oV>Gz|LFPmtSR_<@~5~=d4 zZG2S+Aaa}YklS73(=XliH6XN zqItVRM59CJwn)zXnirq1tt4dCG->~7Dz#8g?7cf(gg%z)v#ZW?YCxuLO60ichc#2- zoPqms27-4UyD~3X1-Tp;myKk_ZKAA+UEfRpbs%M)2&WaB%Y^^mPbK zP^>*NoKL|($JgB8_Qmwj0fM+wuKwQXqD=K%V^0li#oQH_ zWNTrxDl{;;N;<~#$Gszv5Q#K2I^Kj0Q`3mg_ZkI=byhrV^Gztoqt<-0jR)lQA2>v4A4^TeV7U0EjI-n}w?j^qLzzqxg$%I>eV zJn5Vxm=NmXA?eU2cFxW%|4Y8#vZ8pO+KJRd5dtP2G~IANb1}bLg>eI?wg2Insh28a z0)iR}Cxj2R3AF^L$*gpZiuHU~_i*?)^2APE)b!%BQB}s2>I$}n6kj}l34;LuZw|wJ zGv}I)oR3mpYkoMgcIQUwL-hwW>=U)BYgbbBz?Mjpu{ybK<{oJs`%Ypon>VTA^N>&% zW6?o%U^m&PY%62=rm{>(X^#1~;AQtZ%g)Ci<4euTRdVXQo3%E>{qP3_@73SOD_PEG()=vCz0AOw zc0~x(|5lLZtDq4lEc|nK#Sj`f2TG|WrqDj9uN$9OUJ_4mA83y&@ZdXxdLF4bdbnm3 z;S2h6nF$N;(D%eTWb183^}<&x2vSGFPO4Z>V$kEmutX2OAMd++h3tM1dkXq{qS zZd6%tPv7Ww-6ZV_XLICYp9WeG*C7_%tk~6Zf}ThpH#l9=G&X@2=**q`vsrfjXkL`p zp8J(xO^=Y-p4gOafUPmft^Dfz7uwORZ4Iaw3)pO>qjCLD8v!EU_S}v?2YO+9RpfXI zOsjw)s(9 zbmHZgO)cJmqE&!`%`d+w;i%Y}lBIRh(&g*c;lxntFN|2$^su<0^m9x;ZjvMuQMs;WJtY6<(+YRy2pCDH!K1#gALF)|!z1`#)JwnLNyV-5~iuBO( z)v|l<)qq0=sJ`bH_6kDr!AS1@dfnpLJ&)@$cXvH$YUz%j^&kIvVmE!*Vr{U#>OR)NIM$^E(uVWHw9UrQy1I)%1}AO%AbAA#AxeJX4}siH{^N+1^BF#Sc%>>B}2 z_{0?%Cba1v*T{VO^8TJ#7n#)OKh)QD74C@sgVxy!h^EHVud$#0W+~2aa92|+B_`WQpjxP zru)B)@aGPQM}(|k4!Qc~d3hsB{W-*XM3yrvKbixL_l3&u0=-xioqc!HuJq^lj4$>X z#2o5{a4PagPA)Keq(Z_Lmn)^4YuPI?cr({BM~zY{AA*K8mRX)q3&8=6-hL;pd=suo zq{V#?Z~PyS6UzlT==_jKdN3SPdkzuVn;-vQkh4nvxkcCLg@)hs;ewn@yK~#MIRl&= z`z8=KRgXpR&#)opb{h6IVJUM0~RkxQaD&l|CCp)_WqKdSeC%bd2Ryc+Mc z|H_=`-UISW!+g1lwEsWNv8XKhky>I|Su(^fIl>Vo?4=v#`ohKoyK@-4+YCXTi(^I? z>5&&LdzEmA>exhF$`^^F`2tWd6QnI})Ks9&yl zR3UgPDHBp;bq?m)L%e*YsJ9_`#fW#|EijD%d^8gt&r|MC0!1>RecVXj%=vT8f}e9Q zvn%P&_!1jG*ob7Qr6079nC?3ddBOm8=TO7(7a)tJQ(l!L89Jxw|Mf=HBI;3(g&hf`&nM5@PqH1f!Qy{$Q z8~>-$;WMcq{i1P|&dvW(I)%-I(Pt4x5`q!^b+Ei^B71d<;}E3@$Z}M@XLJ2XWblY; zO@W$$j#R_!mM*ef1E)YcFeLGupW)xji#tVtcjl2dQvV~{?v7vgXIx%ChtOkOuG9d7 z^7FZQvKj{17}He42K13YQNA$#^b$30O>MPFN0e`JH~n-pzr;jo@6`gZaiy$Ay@E-- z51=i{>E@VkA((S6Et;e=VUgvey~UHqR5bKhfI|o%U^axz=DUP(vdk|>PSF44(e<$9 z75SI-*wFR&jrG1weE1dv0yv!n`i3j{fva$4ARnz>ssASUkcI3%cj4|t;5Pn(xJG5P zQ^x)G|6wz1jW(6&wud-fA2ev$vGa{_=ff1QkwrmNXS zFoXbkN4d?*Mrvusa~bhP-Y#9~F6l@*WCD6_yFCXBHDG`}HL^OkxZLZ`X*P6f^-2I5 zd>s$XXF$BUtu?7ih-TP)Wu2^4o8KhsWB@mX-;?3cBXO^PJh=>f}uNRd~TS{tPBbbte91g=KW6Yh((2??3XpzAFRP{ilZ)P5x48 zoAUB@4WSDjoi);WJ%LfhS6d~hm2XsemYjje(QGMW^GHqcG_^p_^g=HDy8IjoG2TVW z6DpqUB1Q9W*xPlBJ7xTIxWG%lAf4a6^PxKk`5@V;UZk~OY;xo$@~R{A0V}4aD@WF@4!B4Ft**o1|UykIO^<2^KfE?9*}S4o|-(C&dwQ>o*SM z(3VFe0(usglj_vnUJX3Rnt)sm1X}9yzFvT)VB)vX6NrIY|J~;QxE<7FgGrNL_1WNa z9nLID&YzBYjh6rIc51u+Ket1;?~F>!K|kWUoxY7b;F#9P{wX707Nhc!n=}gv<1{!6 zrLJ~UW2e>34|-I7kDUI%$-2|__fI{yVLBfTQAxYh(Z_dykKWql-KvFWwnC!il{9+Td^B%Cs1BbERpMa90RV`;5`iiX>%lcCTL6cQ~LFI^GeZn0u8?e0l z)PoOVLhS79kH(J>JZ8ME%pnnkbG!cRNhv#8+ zMB3Zou#dwLK`$fP`!+v3SJa*s$e8mXy!aIJLj9k?JgrV`bK;7Owg|le7z(czR zA3mrZf5TqzC=_s)ZSh#@sKz3)@rz}(V|pwIo3y0KhNcsT@H<@%kIHWrEitDj1MWi& z0EwL}=ni`DwErMja-@$rJMniI5-_4@-v23MPR0Diug)1KK!Co3q%2ro2Ryij!yP)Hzy@ATE#{)s8*ui3lP&*6D+=-?m*z3F4Id97phe^8ao5kLVF zbow+W@bQZe!Zt_a9-k*Z{fXg2QWxH^-g^8c3+^neeB@1f{2`?V{9y3%kOj#9e93h* z_|zlvL;&=@R>eKO*Je7v9AiMhE>A8=+Br!)vaU33;JLeIr3UF>`&HJLA=%|>f%o;t zKfQaknl77}y0p11{P}Q-jyUPk3{mc>D`IQ+YjR~;e=|H`x5bxm+k?pCvASYhJJ!~= z=!O9y9xTS^7Ki52&9*Q5_kRxvdhLn&*vyhX4m{#a76+VdmAW?7)87h!f>hjg4)dlc#^Q5!8Uz7a01kQl7**rV7 z{3`^|G@GaL#BN3vj1Bnic46xllV0ZE?Dyn5tr+}ibxjWsy@~a2?3ON3`$O$I5%ceC zTHyxr#}B`I+Yf?1>73ZqW`EHv*?hS233xYm!j@kI%x`p%&osLAb$jnUnEfC6lcb(y zeFoh5U;2Z7Ce?P=ZsKx$@1)0*^&edN!#XI8x$l3giP`@9zx3yprEuph>5uL|jyhZb z2tB^aCWD{Sz(DYrAdTr!t#r>usA~Fk z1ga>$byB7Mw(TX7M`=e!YDIm!oqUhNc19lpLAFSgMtb4`r_2>@0^>8=TrIUJ5!2S| zCHmcN}$r84YJTe>fSoy&kef3GbNWJ|0tZ;jz8)(AY_^nR9VtpR9O!vjbQn6-rU zfwZJx*W2C6mw5y{$qs8}bl$`62i3m1p^`C-7)15ZO8NFy=JqQl@c#I+9>DqY7C8WOlN?=Hc z^&+#5zkoOK%?1UV$?F6)tqujqCg-j@32Izf*AR!rl4gZBdYzmK^d`2V^Gy30KtdVdH(iy|t|3GK)xbI`bcFcC+6BEz!MdVL^K2UG6vZ8B>l2#V ziNP)Q+QnVL_BwMb--1L173z=tZ$7lAVuomKW$|DuHX@~p3qQp?<>cS!ee_DBb2lp{a<{W7rq*k@EcTs6xkiei)OOcP}*;1 zz;@eL4(4p^oKA(2@{Qbg{36zw2tx^JMCV$iP3+81agSED$qo`!&I)80Jp`1@5j`nU zL>vDU96ZDq5P;E=?Ml_N$P>LhrT@`l*G2F0S>f(WULJm@Uoh+5!Yy6Y>;jfQ?TrUS zrgmEOJLasv*Tj{CmXmAB{Qc#1j>T!H>m*8$$e)<3wPtOX6)CvVM|WF_kUg6Wg^Q?4 z^YczUKL3+;?&mcMTX}4b#?ko7-EUwKKDcoISz%<@gG$=h97fHx%SxrrEzeJDs&eum zTFEct%G@PZtzjC;wbnt~jiK+2rWYOV&JoGGjgsxdXJ=vN2K@F?c%Ng(z1GZ<{VpjU zi0GQy@lnoEbpw{fgsr-~X3jnEkPcZDD<*~&hRTG#TDf|zwuA?vH20KKb&zs@r=3ou z-FprJZRYRk>!?*?i}|kT$y~Q`LVC_D|9h#PDH9tUosEVZZV4%Sol6CNVp4ps?Ao9u zXGk4SY0}EIY$0|XrN5zeF;iTE4|IgW=UfE~A~O2ctb8Yt!7?^m19SLMm-zq%9OT?3 z@q^kEOEcrrEC7!nX%+qo1U%x@WGu4FFdDV;*`nw610hAij#FgI#9g`*AVP45=%9^f z$jZ!9kO`;);Kxf37mHQ}^f{~IlHOMIO#y!TuWN+lh>8RPwMgn^g^cq7QMM91Zr9j=KwRG?p z6q20WAiacVqgJ=6@ww|lpHoNWmiGi$v+?FBm1ODUI;`C?nO{(=N;t*OpeyPbMOU09zlT^QH>&U*MC>{WY-hx^{?2RCh^*6oZ5SRJ*Sf>-O+ zvaCiX{+Uq_NZ^K7&Pxo7xa@kQWUfoU;i~!{*kVb@H(dKfy>u^!euq5EGxTyLsyp2u zWALq3z?=_?rlO_+!o`uU9(K>9ZkMpnT1~k#0^dzs>=zs6?Lo}{4=Q5au~sC}|AUHd zB6{riV&sb`bYCXIKwt+=GEyW^6!?IL_Cy>Ef2@LqQz_D$6;=`VybJbwG+OcrK&`Vp z1KqOr=h#OJFND7I4-9d1=1B;}B(%ODNZ7{QtlHm|G!8FV#+V>)!~ ztTA9%P9{o**upXL()IWJ!7k$6XUm_Dv_IN0%wsJq^=LYkdRP^G3T;>`^-}GN!7^Zy z&h3-cvyR=+zQ5s`qbNDvo2(|YyX{;6(z{5eM|irKy>4AK{af?Kt34a@S{z`pJRXLEW0=!#fJNmAA2l`>ga^6U#dnu zGF@h~CCw-@FC*EI*fr9>2U#XOj>MlgH?Q%fK6v@+EDkid7xy{!TYz43jaqBK`Ay-s zVwIUs5fxrGMPgef0N$-`9;_DJ;B~XeYopQMQfVvKX78v!NpZN-IwYX!I|TP#9W^!w zHiSlMNSwwO%W1grXht>w>s1z%THK1`xbMxetYle5-ETO={Vls&HgiSClW!n{wm<(k z2lwG0Ci}>`Dk)WxZ4;$nd6iNM&sddrp>Kjc2dvQxUl^yACU2oDv^ zKx5_cS;r+7S0x_dCT=|b-q*GRS77S&2dpzV>(tu8~t(XN!yIlTRCJ0(szIOEv7yU`_8LEr|EDL(@f0xWOMf zQ&9w94bRvb8-L9xQ}I51&zveEuKF<2PWj{<|APHGJowl6xz~S6;TJZQF8;cqWWK$J z8{Tq!fYL-J@hfCn#=AxuhH5)oovE+FNyHmLD{O$Fr<&zw%u)NWw;Z}rZcjs<2pZQT znvfHv1h|k&wf)nWGFu&JM6a&{U7Ia+V35=RLuwL0%Fv)B$07hho}3(*ylghLZuVH| z!Q-P3zB*feN5VyGdj*HHH47|5x2=4I>q2#f5tCJIf7-(rA1rmz{*`WAM)q8}4NjgV z$1-6etb^e*ycXI-xX8Y8LL|(3K{w^1{Ea$_e3ZN_F-MzsNUfLpK8Xq=jqpf-^(qGT z8V2^LLpbJu`TU55)&mn9eAW~p&~F9IY*_kjWtRFt?(dM@u`52UmOarmxMk^LC)LPk zBmNiwC|43n95!BS4GzeUMZ*(Q;pcLxp39Q3JJxc-a4mGU41;&NnOAxNgj@!>`n4nk zjF?7_ysrYPv1slra0F?{JkUx!)5`L%&G`>^t&~USGL%}V5At#!#CVRD_sWm|o2DBGDCDV4Dh3@;!PqI;YzP z`~Mgv;2Nr}Hp;?$^?!)cYQ284N=~fJ=zodQ%z(u_XYaC=WOBdMj-j>kXfoUCQlq{6 zyghg6vqR?381E=uvzrkBuKq8UQp!ka%Wb zi8FoCxdzv&{>zo%!j~sn7O1s#H@RF%A2M_xgqt=cpl{ilVQ}O+?iIV)|Y#1 zd6c}56UB^b2>14Rj>meA4}@VZj%y3o>#x4gRoZpl1C!?`+i?K=L>Q8bhcK|4 zM;~MXMwMmn1I_1pHfnSI5y7(+Pa*h06!!T=9r-&_Xh zp}_eLUZIQsBbIU|ASZBCkQ#fCE0%tz!#y%{qW7;hP>whTpwXc~pAcZRN4EQWSO9?L z=SzZONp{@;h%Z+W!IWHcQi(vfEyMM-OGLc;fy8J@HvP4yzHx}HS~mjP-5=t9Uvt`o zZu1OrfG1f^j0dB|kdvxMzl#M2aMcp@(HuS9%usm8>pyBqLQhy`Lcs&lq^wsx=_bZH zQT_j_rB(0P@6V+cXdYO}7F@k_>KRur!5{utFQFyk zQHGIF&p$i9c4}b7RLBJhFy7a%QiTddoIj&2;?NOwzv zx-q&zBm`mfNGAv)f{sQ&9EwPZpb{!7HpVr-!|U_8@B8@v1>3RX{Ndbrz8|lrQMT(P zHaq9xJ~|tl+G$x3gSZGZ&P}dmdWQeyOL&9xSaq|Prx|?7Y|W-{;<~T{`oDY$JT&ac zMgyGOBnnOgPLfteCYG)=uT)JqzV2H20yeArXGOYieekCHP}!qJ?v@mXj=QWTBSQ#m zGy^e###yP%=UcQ0ncACcdK9pEHUNQITL}l8>w6Y!pw7vQAG1r33G%p=u_ip6=jzOH z1emC95&sLAV2m>3j%r4!lFMt}t$HvH*NGYwvD9H5xh+Oc*b9Jb0kF zJ?+1O=_S;=tZ&7GwprDO=OGi+mX|`iHr|SOYjzW@rtL{q-h*XNLxfjROBQ;{`b(h- zU`|VIhM&T_a^uhC5*^-or)iT3%9K~ivLGaYV26bmkbpC>K0polYKDQvmvj5vc-e0= zw(-OQk&&XfO(|KT4yMf$04=rJ5cDE?c!60amslC|HHpAIwk<8So%nYf@^;?${dfFD z&sh&U>3>6Yx|QeQ&Iw201;Ay@2U`I@2|pQzDI58fjr(*^x*qP?*`>@IR(7jUul+oq zb6*{P*92xSE)3GiX+lhymOV#;sdRhkKZ0qRsJ*-imi6&z+1OLs;WXX>J8Z#3=I^sT zw~-PnuQ_98IL|$}HFkdo`vZjWKm?Hqns{xt0fLK(Rg`sD>JFOG z>$T%97uGlAvm84CByaa|7^E3(f~y@obq`h$!LJ9UVW>@lbyPYQO^B#`JZS-_5ncGh z=5}sEH#WuK_qxpyUBZ;gmTvzKT?%h@IigGWsVi!*j_wV5mZ*0p4Ef>f;(e)lYpc~8 zu+b-l7~dFf@gc++YFgO8aA_cH=iM4lB4A$h)SV-^L>&4TE_vNa2+|fbwL5}K8vFNO z&4a$Z7I~7<+Fl_A$a6l4fwx(0^rR?g1yo*f9;PL0a$2w53-*{|8oy4bR=WX zQinF(wfBMTRY1IVfb}YWHv-XNTXZoPg@CwW(yq*1`P93|yU91=}8+I*`{>x@J+!xGb1!e6NOc>uBMUNyj! z9&xZdQRrdDal!jk#}+sA+*6`4A#UzsQ3p+WSX8vhB6Mwy9d%m?yznW;0K7a$0D?Lfnu9L z6B@*HAU$9i{9J+PeGPv;U-?88``(p;L31`{!%^B?7-jh8-a3uXtjudq7kU`lhP!7d&|-{RL0yp-({y zhQIqdMjKaU2EchS_dW{!sS(DCOJYII?7(C2pa>}1sXB{^VvN_B_Sm*kjd78x-S~c!F1IYazmmirP7@2Og2XeYX zRE}!=uXuuLT>{)Y5>NQxV@Kl2@^q?#ec{+W9-iq85|HIRd*1a!W`41Bv7k)TTi|DR z{l}VJ?8uRJn_yim)MYut3Xtt~E1Of%G@tRlYWyPh*T}dSw=~;z_Yu1rP*H6qOw8Q! ziB&6X_`5rnpntzX#=s1Vo4+jIA8&BoLkS?k%=kECUQ%{hg! z%<|)T*4l#CW{~0roZ6vYu_N@}*FaVjhdt8nQA1uatF|!X8S4G%;(!-1!3$|G-g_wB z#=m;h2+!tI9vMJL&q1>b0@5?xr~O)=l8}5dIlJ+>Q9A#RmA5B4J%OMvZ~SL(i@42#sXb5y zs+L>7bnHvsF8k|t$ES<++U?uyaAZ$1qh0Yh&luCM{ORW=ytW#X-39!Z2FK_94#?q` zit2%T#6vUF_%s2)@pJg-k9xeBB9qutk*p^mTt#By5Lq)9HE|GMWehbSm1HY=?2tEI zP<1hz>dLa1ElpFRS7XNoL(jN>B^$0F?RKoO0V%D zV@o}%TBNm?2|}zmL4*3owRn`}`1GgeBTQo$%Lb3%lu4&*KZw3i@U_t~aNTE&DLQ(a zie1s%BTb1WQ^xS3_DypcqO6IfV40fY&6&({)=w!2vC?dT04otMb7n!(=x1Pg)))FI zT1?m@BetT;O`{y+>oEq8t3gL~ z*EtwNXb7a2C!@v7G`Ii&9a8xc5TY-*vUpDVVWBaIJmCm&^miU_6lR$qoZ6pxEY_Rb z+eQ!Oi9114dU3vBFN4#akRhCy2HYDEJ02EDT)uD3acfpY#&|1NE-c8Q0APbiq`}-g zS`y>MiLiLbs$ZrboT_EbV0HrnrLo@pXO=y`56avj6>Ea7)lv;fZLE zUST)z1?Ns~-R*BrRe$-vEU29}-awE6a-5q&A1X^b^f#-RuF`|jQkTamOVm0&-YsBB z$g-fmM%^)OYI==jeIsBo!{}g>he#nRDC08(l1JgJQOz>i1onHBMtiLA#QW?$pda9@ zj?62t0FnZbQ9EKjmN3>Q8E|b90_|0qXzN8_)yRj-X+T9IqB2i)rd4lnpUa2EDspIaf42zK+%aLfcu@i#88zXiFj5%m-zXSO(^H#~QdheD zQe<^t45UIz({7@YwimG0CSY(yvElj0m6MJTRW>R6ShmEyrUtcD7%ym#2Q=y|1NsO* zK9B}czE;l^v&nHR5yYZ&K10EHfpz)QJow&AJ(wsQe64>Ic;`S4cUE%I)xj7Xa>H4! zLp<*jev8K_h^S&m1&2HK4La(8HEwAd2PyhMib#&fdcC`Tp1=b&y|OrB(T>)ZTWs$| zGQ{o)o#g?fxre8isNKE6=7!e;(^UsXI6hI_FNwuFS6q;170k_YlhtElbp#nHndZ+5 zw!>6OmB>dRlJQMiw&=kqa`kO)fXZ0k>8S9`bqhB!t`pq%W&w5%)HQ|uw5kz9&RpgW z0*`%W8s;JcrasB!y|xE1_2`D`8az2wgJrYqk8m);KRY=Y)L}^>iZeE7ZY*#>6CN0A zt=>9&^U-xd-2)&HwFeG$neF@`;iR;vMmVwG27^w6@d+OVWaaJAN{7tO*kw$Y%JRsq zN*L2NC9{|8#mTWbl0guj$=`~PJ@Q#5lsQAyGYXcXFPc3Q908uOw(sd_19E z4-WtQE2d(0VkgAkmji+!Ff~0;qi;vvOQ_6{3-JPI?|O5q7iTEiZW_Jg1WTZ!BAl@} zh~buAN|A?wv=-ArwKfR`SPd&y>PL_ZBa}ph^_isOn7-c?Tjb;DsPgJR zN=yNd1bl(+lwA2#Xe;i?-@omL$$*+eUVc)U09ojQd-5*q`x@LHwDi3yHM1pscIbW> zD-wRDH~Ohs)vU~BM3p2gt42=1J`1e_}h%=LaLylcI2dcWjam^4b<{YAEa zwdvQpx|8)o`&i)V_JzXuaWVEUYebnATpHJqp8Gyn_fjAM;7_h*W1j|dM-&I@@@z|@ zY3jCmfYCfAbMDV0W3To$U^mZ#ACXLwz(>l**N4NX^<8IRnvG z1aLY?c^$xw!e8G9eXU8eQPTf?Elrwn7mm=ANCb%T5Tw0EG1DWMeZVg1nbL3UgnQ+0 zv2}?8<6++WV87)L2X&}q09TN{==&{TGWJzcO{8%*n1&Vdm~Dv{$ARg`j8aiNHB zobZdLUokPFFqHQ3K@m#>&+6hM(I5kW>GLllfZEek?sR=1iUofm!)MptDARk3^xFi* zo+a&^Hk#@!q`@b;586xg6*?dw4@TtHv-NHQST)T3&<31|_&;Ck;Si8^GF2Qwus;CE zlSF!h#yJl3*jNjUS7ti3eF9Czhj{stqP*s+MCSgnzykhnY={*=`;VZKFeLfqkfbb3 zRf2n(DD?(Nq(sD3(;E#&xo6b;{d!(!P6;J3qflm#u*l1Lwy=?mP$^{@j4z`)G=0BC zq|uc2@kIu^2nxzI(ugSp*)+Z^9Tjqo6&`A`ULl8w`_I=%JNKFgmjZ><$S?0o^SA!~Pi4-Zh^B>P!$ZSk9& zGSL)hIw!I8z>Lojb#}61!}l{U_W1>iH&b=~HD4(}D~LEs5WrabM2C!Z8fPhVFAz+^ z1eW@}YXs8B_HcGff1lix2GmjR=#zLHZrJ&nY5MmHe%$k~t>oDp8U$*}@r1T`~ygpH~Zv zJXnqw)2^rX1ahbP^eK|=Q#78%oNR$s#HlHpOW1oFX|^>R`7jH#R=t>d)k>0=JJE*(pK&ZLh)0Max5Rtr%VpQc z=K_FaSyl5a-@>>D&RzXaZp-=>iP*SeP0P*AB1$pDtCHlMWI^zq{g(E2JOqSL=xloO zD>S@+Lvv2Y)E&LWe-YrIc#Z94IR+{qtFWHKYgZ%g_y@!CE`Qy2*T-dc1mWS9U1}Nc zvf$*`eMpvuT#6{fDp@O(hjYOwra^jV1cWfGO& z`YF?X&5#Wxzh~0M=;JQ;@w{m6b~JaF+p^@(Cr%sbR%(4q9&R4}kFW6t&s-4~Sh*1W zG`u%Owbi1RocgrljQ|0>{P`hPCPHDM|F7D@D%XPu)MArJ{`Z;QwyII@lcH^liy9_e zwOEo*Ojb(WY1GQxCr^c(3-n#voDor-(az&^ zJzZqHwZgU*`;zW%=cA+v=u*@O%fkUOZ+k>Wprx3aedV>AsjQdYoWQTg!?g#WurZGR zZnZHlcS`}u@Swdp!gSfd_(Dz)Ioci4Vw#5adkEn3Sq`6!&TT7um{)f*SJo(pU^8DY zUl+#bsJn3GR?|nt0KCMTb(z`IJ`x3T<5J4KpJ$x9DOzv#(!BCx4e0N#M-06^_5jq@ zt;f|9+5X9eLj!qLQqxvFI=Pl8>NN5fX$^=+L`YoW$Sf^uR&18rC0TcnKIJuqHY+}J zE_d$Pc8#T%H8MZWo=x26D)78v?8YTFryal?k@~ytc9|Si0uyYnS5t({2pV!g**c;` zTr*YLHNwq5u{cxE+pGZg%oQ`9nHMjjY4_*j%VRVeJ7?t1{;=lmKd#)zLsojCVdC^t z#U^OKSv8Z{E37V<;falC1#3?l0BE#gSdf| z2Z+>q4!++lKnhTttw6%(RWCDaN7L!{Roj;BMmc#Kv&S8NM!b{Lf$@0e3g;cJ0)@G4 z9RI9yqw=@%KFdX02a0G(4dmq27xu@%sA+EMRBx^LhJ3%~DySv*OmDkYntipEw5BOA zz=+-}&Ac2QLGkPsIs;?3^6*psUiiWg42L!rNlwO)2HC3Bnm@K+BX>bJBTKAFrdW zN(EH8zwFkDxLwaPZEjo{CD&8@9Z!@JmOUn44*t%U5axYr_eRaJBHt>+ojIiG>;7^3 zLnhHvI(h2Z4YzKd4xI}=i@y3@w+^iS;q&x+tKc`Ow|Zm$A|Zgg6WL zs{!?>4N`>9d4Z|gfQpI*Hu>1&zs;{#ij~Wwc1(vlXvgAbhIB3Yky2MTCdp3|wd^G6 zRi3QAJw6S|(v%NUD_4c+?5($S)Ra9hz4aYV?!K-A9A$uXd@NGWhKxb^82cSv93k zuO@c*L%E;udFOeixvGw`$+pE0-T+D{igA7?jkX=%Q8S5p_g!+(uU}4={@YAibrKB~e;g~2#E%;dI6oe50oZlc zGVyQo^$(zWo2ql2TS}xiS{4OLJ?4+Itq2zk(soQpsxna#DHgmyi!%nq92y1A9}iGmBtZ{vL5?9=wGUaNzQ@o``9OMsa(AaUZzR!K+yzZ+z3cVgckkevDLY#w8*aS&i03x(Zapm*8C|6@2IHa@-CoY? zfkVC~AnrLAPyEZcaQSCl@`(e`Tf0tqmF^=I?EJwVmlM6=K{;41$^0A4xi;l~N#&Nf z@*JB|iKJ4}q2=4=3!grf9$x|?&Vz#yr;qAN$fCYJ*5(RpMH576F^elQKNdy&Co$_i z9P$$l{z>9+KL8rys%&1Doei$C5n#2?$#y5|PnVZ)uUv5#h{_JgVPG+zs`6m7@~+@= zOKR|qobtex@;Z(3{n1k2MA!A*aA6v-!0vK4t>W;n<=V}RNyi+OmZ&KB>B>r#y^EmN zm5kDoc4hHZx*0^ntBO%tdiHN=33o;65sMk}>cYTza0PoqlDFH+dCdfW`Qod=uQ}TV zsypRComJ((U)TNqQKzp`n17;N=0}dk<6wJu^oP-7ZBa?FWs{mPMKc&8C6zP)j%D9ShZF8QyVISs~Gtu1t;^P{8Cg&Ne~RoU)Piq_W5;5 zOmW?}l{(}0x?d}GJ@>B`oG2g2sfIRHBd17fFf>ErHGiuXQBSKi0r9Our;;MxXBLUI zLjyGP_3i@-g3CZjWwObLQaNxyNXrVc0gKIFU%7U+ie)<|`^b1vg0?nm>G|7@A5Q1! zwS&%h)zONt8YMTG3X)9Q>nz@&%4Z5HU8|V~2|kJ1Q|Cb;fcgX%g!_!(1`nc;%G#sR za=Mu1$$jXtcIatTRqqTm-1Slqy!C4V zZJc8(ECdbv7khay$1t#$pkNjlU&L5+Md!A-0;*0YB2EITSQNk!^2PSFjw9>^==>LZ zQJrB)Kg*7=7o{eafxWPJj-9jVu2&5v5*7vNb^JLAxr5|qKf5de-G9uwRjYf|QlP+} zb$c@?xOp`y=t6aJ;T^f_fl**%+7bJ*|CfCgTX(u%OVG>@{F!$Wd5!s3C4+sr-Rbx( z+sPVr<6rh=dB4nBp!SG;At}edAF(g~*XeS3C17=OLvWWCyxp*;SXnl_pxuzm+E2r5>Uyc}k0%!cbqd>;+AGE%UmytL4>H z2#rqddO0|d(=o6<+qFL1TNK)zYeV|7RafD5VNWaf;VbplnCnN$CXz~h2Ve*{I1>y8 zR}Z##48|_!Ma@7LgZuvVUn99hgiAj3_MIdDg}(Ja{%byz?QD?8``fqdml`w7qcr(@ zpU!e--RW|o3>W+wmS;pue+{hv8Ynfdeu=7n?KXC~_4bN-vt@DSfdZx&JvfBPn{5Mw z?d1P=LCWKO8QQ4Z&#JSNV_g*>Hv65d`>D^U#%T{|Eoo~v;%Uj}) zB2J-u&E@v@THZ2U*J{-c8V?YJi_ZWg+VB59tZe^&FAGQIabv2%&D2EQaP`W!pk6Dl zn!x^zIK5;Z?@a$TFO*X>fB`N97eJ2y4c z8G)2B>CK~zQ=u@T*((K1Yu7|xOAzdc{aL?Bz?$GfThi41)H%Luqp3Ahx>{|e%y%E= z-)&JPMJ|n{{;)Daj=!Iz1BwnFESzpVUHLcYgt^hm+Bq@^9Ug@C{sda!YPat*@%;Kv z(CPGE&Hn_QI@aeIL8pC2&UB*u-VYm zejbY(|E)UR`ClDYJYhkL&pLR>&|!2Qj?}f<#jCR=m8(wwq^G{U;iKYHJN zE;M{Wd1&BbYVWo@>2=Cjw33bZgPX>biVI2gtp|6&_`hu@I_aLP*FzPyMSiUtSG?wv zsYJxeVtqLHy5$UaHF$5c#`xNbA!Vhe0Brpa@S6$r1tad{RU*_m`I>s``?cB52eU2@ z(kGpAJ|d@Xc`OB9*t~OXbEs=-b8Yj9`m{myZNL68%R8B=e}NbWnpN%r+atDlM&$|0 zy6EgR@9)MWJI@qUUG|^I6aF!{_ysKg#+91I8Y^Zl+Q#3=(`p^|3HjP2)T-;pgVpy{ zugtn>vs(7^d2C?arTz=UiJfcwY+&Z@O=aP`n-*i}e-`|WxAKQ77)DH>7A~v{U`4YZ zW1ru{ZE&-6`p+KKo@70lzW=Q~(Y5X#<(?YWAKc2jw9@uc>+Va7cN>h{QyBl>+|yEa z`@3|7*;Q1{Eb|5OywIraU2=fOLQdYcOYQdX@V3_5xxJ3k5*g6G88ik?fti=+1Nxra1cB#P^kq+>@sDQSJ$%J@IL`hRVo274C6Gb=p%e9@UP zc!MVg@}J)wYMe(*U5i-Daa)j6eB*F&bEkW|;O!JrbWH8{X1h0tB8m{W2=>^FP@}Q2 zQXeh6?%=oR)I|3DtHa_7cQwenO4iH@w8bo12b>jhF0WVv@Gk3Orvt5(fy0K2nU%}m zSv#8Kw$PvF#SQWAOx9Sx4|q1PeG%$h_^q-!qKZ z!N;KDZ|Fas_eyv|KYlw#{KRAxmEDsLv0kd(_;g?KbAiH}MB2cmbDz~7Zr*z~+G92y zWyL05EEq|HUm&eBuo#Vknpa}~hkZVgd|%9Zw;Ok0TXb+5_q8<^}sfRwo9 zaR=(+^R~q-(RWQU6@Xx{i6uCMnKpcCbCOqK6KF8wwegW><^nbiBCrzp z=$8~1uz;S4(zxXKmz>(l`*?v}aA6CW4TlP(8X)#_YW;sJg!r`0=ELU^Og za%?%Rs`bYfv#1#?l9ui$*t<#jpwlozgDhosWRLxqJ)jQ}DHFdsSQRuW7s0M`d%6W^ zY^Yx*D~>e$B7g?Fu91zncg zZt}bTYU;|9Q%)al3RJhw^Qp$s$KP=WTS*&T*3?-obA6>H7TgQNFT6K6_@+%iJ9ZvxB|QE<6?_zq+nXn%N9-lBZyoHml8CG=1?`t-!9 zS#-#B@2qfxsrVe~4XZ?vE-0rd%Cgk=@)gIPsJ=4K(cu2&2#`(xTFh*h`ZLS@cj}E- znIi_Qa`OPEw|f|!9f$PbOkn)D0894gxtaQ*uvlys5Jr7$&7p*RIePcIBNa%I@*Ci& z9LjbERyt-oTUPw0mtrfVKwwIPJ*(k?SQfg+@Liar!J*3dZZQU$ot7PBXVj-y##*IS^$M^+nqxLckTFbVgz)p0+SD^%+ki z0>9v#ZQ-!d&rL(4e%R}|UTHr_xs$?|w~AGCfdNoOCuF(B@A&Y}d{^swQp5a`ByyFl zK`M$07Ak!#5jsaP&QP|;d2>g9kA2-&rGN7QE{^jn#>S{1_x^%$fo(h4tX>Y1*QUJ5 zpkM|*_pZSbJB5U0?fS~ns#=5-ag8m;1}(BEDA;sg74){kt4Kh0S2I~1Vy!0gB;Ij6mh$$PtYUft%bwA}?7t>KZ$Nxws zoz<`~CJCPz;(VFgFr3}+?7lnChXmP$VPk`4t!Es}-Wj&;R7lkzyr2@m=DAG51S&i! zEi~!3|5ykN`d9-0Is&~_m7(Z64d`C12aTh*8Y}TkYPKaevioJp3n@P4en86G7Y-l}GPYxaHzi}>?k;R&0n~Q5Y zhGjFlXD|OwEsL2)F{M}V(bpnDSCtV+_YSj1Kt_cnqx*x8LZQo;y}8`EcsHE+ds3C) zZfG&FC7&jV40B=DD3c3s8Z+L8+384~CqhO~gZN})O7;v}Suf)aWGX+LG|t%NxRQI{ z@)NpFJ4&8owG|{Ks6uk;Iw$|};P$UBi;EU{_Z3poPX7_8=U64r{1s?50dnX~D6ijv zF;C*6eano9@T@I;v^UB}>GXjK`v#85<{d%gJsHXzn?ZDq5@Y|q)uR3^YTBTMT63nr z5cd|%41Yxt`!Kg9was*UI*F^!wo6acp2~GeccIT(n7pf^K4HiA#{CAXf?}w6Ult#{ zq7kRyW_N1R_ElPunnsa_g*o4yvWWpTvLX8%NEDR#LMuIycm_dbkJoPCd!Lx@DQpMh zDI2kPuGpmU0nHLCFVTxF7}s2&tqA9OgVld+X;=LOwDO&3CwHy0Df+3%#Ppq~#5IIn z*>PwpK-{`rz!WK#Yr%#4B1(vQ`?l7tR%0*XHt(;6xJP^fw}3#AXM34yJec(TpCq9d ziQ`AdIOqvOFEg_3mwW;?VIJvrHGcTx0l|BKO!U_%AFp-o3(Je-H{4X!0bpp=;VLBb ztF*f+M*a_zY^>P3EA?ejV&cg_iG2MEg4esZcRykVUx^p|Jix3JCh>h#G=ZXN zSz?wW5V?RU^}Ay1$0)uWuPXJDtza4+10!r&R(b&^6zt!}mEYAI|6p@P@hrWz0cH!0 z`}K|K3~}jO-&Z?Kc=Miv)6elsZZ{{M7<;ECJN?jE>1WXHLcJn@#+$rzLQJHp5zhtEKA( zGV}vXHZJ@a{uoUctc~V4IK`jFZMog)$$RCdgFnw{$QI((<|Ri8RFZ6<`H8tRy)a5 z9x>hQ-}3&w$XBva9F;R_D_!~K!^aH~&xbx!zNAF%E!uB<-|11r;n(;&DJxwg;Q{~! z#dQcXSC+x*@|)mGU+M)OU>_w;8hi>E8sX-iR+|;V z6@-tc3PoTi1}-0@`)N?uH6w+8L?w0wBwhbx9R=9gwE)6n?|x27qz)OK1E;jomo_Xe zJr4;G`busbq}o1z!xL)v6+0q{Q%c-h>S8=dPaW=(Gn+xl6!Q&|yc9Jx984^7`6PnH zgdRQxY7OcEj%CZ(Ur0y6o|m)Ti_sVUP`QsFe@DcGH3GRQ&|{0i1~pouyCttuduyeJ__+NCS3@Df8qe zh=)crCqooynXts0A3HK*mSN!tfSPG0Zdp_&Nd1AG{D;?_3{z#&POqm|*GrO#GL`kp zVNIGi0tq;*ElYiTiuzrEvYa+3?}oM0!VnDj4R0%jkg?sqB3VM2Y%a{w0D{gTif1}= z@MIDDV^9&7Tmk6#z#15|2NuXz&b~3?>!rM2FY#^}EE}Z~mUkPqmdQi`PgP$xy*fId zqOG!gMyW40g+ef`KA6RtOnqHa$J;Y>4F zE6*@us(!;OU^3nZ6IYe9);Q*;0*4NaQBE;uf`H*cSHiN1yN}T~foU(@Pzl+(po1*+ z1Ff+)*VJb+e5q*pAoQ)I^x@6CyQJE9_o;A7#)yDX@~bodjGamKYdW8N-N9Xw1u%Un zb^@Po6!nA8J+)3Ku`VU0t{JBTO*ie%9c(jDweRh57}WIp0)|qch3*{z_Od2&pgXj` z?2S76N<6Q30hE9Rj&WrLpwlnE6!9Bmmp`a{Ljxwz+G_LDv`kIZgYfrj@SYezlBK!* zoW8=`l-V7{i>Wi0!Y1%#=8TU<0xIZ>_DWsu(@X0{PuvW${e~3|g>S?Tuez#UpD}d{ z0f10w=rXm;nXHqZ$)r*AKk{uSmQ*%wQTDHVLzSwZw7hlPT#K3G zM4lClQ;|i1H3q;_k4Hs~?4#X`jFKlF@tA&Z5(~luqrD$UeLb7um*(-s9LP2+`*q?{ zqbbCq;+Ni}H--Sif}nVs@;25p**Lka*ye=A*yy6)Hh!`@(6AwM6yjz-@5k@W)GTP|MxJQXVS;Me}B^5Upu@!~O({nMdE{K^Dg4@>!CulCy> zCOHW)s(}7er&|dCVbgReAV;?5<8-TB%mtBu<(qp~=8=3uEvtBp>q~IOBF1%=iSEn9 zaF%-k!(hHd$B%x5$nz>f!^Ei13&qc-NV(?il8++3E={~W6GSDJk?jAdJhhy#zy6y$ zj(7HHo@tH$(>9hT4vpBZJaXY@amNfMr?@g5No#|D3EZ@UO88^(FuMrM%`nVO6E8Cc zfg4zRY&g3db=9V}eId4n(dq*GCO!;xSai^KDSNj>AFHKXfcU*!%8*W7LAHO^FAs;C zKDo0Z`_I~i-jmlvWHsz*e0U&WHM4N+DKiyQhUnnQacEKkF&rGh=yAH$Jc(yHQe!#N z*&55pbs=xk6DsEn2A5BuTl49JVbE^i+XWUk7IN2vIXW86sLxyuYyH;_tc2a;N3m4_izNpmr%pjQn(~`Agq`TZ6 zJQ-y`xS**}JU%=HzRiGeQT3=h{bSrR<-Wi({sb|5$mE+$M$hUmgae$U0azGsy#T~@ ze>XOODck1K#smG^@6OPk!$p2v6}xxyzH=e zkTHPe--s7uqnPF)pby1q;9ZeZnc$VWT~S zYJKGa^_}k}1$TWH+PErE77svWroUI+fE#c!E2SC9W+1Zh_$Rmo6}YQ`22k7*|Ln||5Uw*$93`G+FRfBG8FppV8+F*+X_|lg5Y3~;)l1VT!(`z=B>uh%{Iiy}1YI&KLSx9}JebdPTbf#mRD zx9xMfzTk~*C=M1#tu;9r;Ag!PMRvP_s0`d#E1j&tetQ{bMd9Xqh5WIyN)c2i0TrAb zqVEporDZbg*ne|h0PFHynAh`U-7}wkU4c|XBUyO7?)D{i83GyV?+rj;A?eCqEM#Ed zbPyX3=BbP4Nd!VCee&+^^-k^`a%K4TXT}}|g(93PzHXKnyEes{D&|?q73d6qGxCZx z&?b#N{P;Kfg?q)wez7kyt@#!R1=TUsoIRt`a+Li7A3+Pl&&Hq~@GM zg01|Ib=00DrzIRf1P4OS8RG?)q4;&^bx*Iq(JydM`QCBkw;slLO$xVG71H0BiDk=e zXL~J(J_CfldcEYbW=X|8lec}bGh*z=O@95@RMzv+Yi0C@{{!a;u1~^%8d*uTbN7Yc z#Pi_i*%yDj-;G*5_r|;PZ~cpy{RWE5-Ucn<|JpfXm)hpPcJ5^5-d6tsG&?=968Q=i zyjU3u{5&(bv1m8w^5$;OF7Nu4yDnTZ4$R}=GXr>mLye9${CFmz+Brwti>SR-@|a-MBTYwezWV}fssv6_PYWTp(QM2XFXbJJyS+~tU2WC#cYQ95$~ z&Fm3!)|4g_daXaRoICH2-RXaS&`b&~UGi-bc~aK>V7NBmT&LA*w)lrh)VhD_4Cor| zM<~{`T`~CmTc7 z!3KDal3=v&84-0niFo|$x-gleBv?e`-y|4fJYmmJaKQaY*5MLdq0Y_kV=pdc2opI* zozvWL9k!-l^)LtNE$s>zfHYX)d_!s4Kr9B3n|XaID&UmYRKX6^zp#fJSDH8 z^J$vV-0Wm~+mv`6_wft@mh!g_wj9H#gOS>RE{TLATt{XLp?>@SaUH-zVjb4Pz;)AM zRUZt0%o|dxLLvnBq^9-gFf_z;I=um&ap4>waC)Zs%%rxn@An(X^HO6i+)v?AnR$E> zUh@a+mjYz0JTw2;F3$yc|5>E!d>f{(fhKmAA4f=&o-vYL8UrCXWEx3M)1^}QY(oLn zDNS|r8>15zc?oRr3pO5tH!0qodp~Y{G4->=LxDr(pGZ~!N2WW{^1q!hpn|UN_Y(k_ zjAP6Ygb&D#v3Ym^(+>gV^bOdKjizNI_|RCAWz{Ku+C|LDI7Ey)$kMoQNUxO1L>hK| zbL8=;lx6vG|NivgUTN#<5>XNDxy3G4mg+|uLWG_TBR*AF3ATx?s+ubfOHMtftY zc}p#ak!;M~^*%=`Ay{3Nd{rF06!owQ9(4OB_THmiImmq~Tyny!E{KQ1}3sLP4^3=2kYuX9BS&m%| zkzGm1r4lI){!Fh0pd>$Y!h6w$OZElp&jb>mZFBAOQ_iJFmsp(Ims+y$C22b@fKtg( zV;u9vHsE6%VO)Zl<9KOg;F*Kyt0#-a0J)~(7h<_`C7-AXB~J9cYS7bKkmRvC4hvk5 zrfYD0Z#c_d^+>q*p^~Zy$MK=48M!qAZ33J~rQGL8iWR%+)H+0C;&?5#HG`}rHA9)b zbE~XWWwk$93&`T?q5Kzr@Xv9jZoitVzF4lvk?mwCc5Qy*J z(igRkwaMlk&O|m->IcNbZ}w%sv#y3zk0d=pGrANlp;6JYVG~{1|z>x9(?wtfVirQ4od79YT zw46YCu^wk)CvfaK0|~qV%Oe{NSv(NlyvgN3KH~!~unJw3uCG4T_G2k>B)mJo+u&3> zYqXwpJbKT0@S@|QutRDS)|go}EFdz7IUJF|B9HasJkQ62G+>1uvQelV7_me7zJ<)! zY__#8OpnL&cu$F!)ajp`k4b@1&-JEQw@$#knx{lfDFIe+VI}`v;#jg+cbh5XW&-bc0t$&M%CZYEqe`tDg+Q z(?zk)4<_Ia_zqR@gP{}SNYm_sY$W49cEcTblg=Gzs_?@r*hQSLhF;{;JQFrU9wy)Y zcM$K*wdVjC(5M)zcb3-umthM4;G93`IoV6jydD55^8o>6joerD3x6z*vi+BNF3cg(fsKvu@L~&MXlYMVp*h17J}5q{(dD)u(#$@%D~?^QNgcgbE3DMO%R-v@H?;sPCF4$iT}N0(?WZWf== zAd2%RWoFfGu>#%Dl0tjfAPsTmwM01D%cZ~sATFf2Ok_``7V3~c2}vlz&xP0&#_Ua{ z7j43{25!K)QT64j#p;?A=8&hmmR7-k zzK`Jcyd6HcdWD;D~%?EcVw&AA>^32*${$by$iBORV`g7b^M6JV$g93oWL>r9knL!8CY@L zCev9zgVs?8Dvar%AR&r!R?K;=GvsLx?6cmfui_6s6*{NGEk9O;9=;d6=vD8aLmk33 zS@ZLa5ban;*}De-e4B5Xj$!cg2F6+a%QlnrLeO>KH^9lC?OLC#{l!_VL%cas%2*Y1 z%s6C0h??ML9%nR|_DYZ0`lE=qzzi@9VH9Y@vT&*rH4&oGCur}!`dHHkvI_X*9v9*! z@L8%sl{bJP9E{CNQi0Kd$b=ugSiD`2QLhHM(JR zBi-QW#u3us=nxPP5d?J`of6XFNJr^FK~U6fbSWa}6wncRq5@7&0~L4v=6PNB_j}*J z|KND+u_Hdm@p-;qp;%=F+(gF>qMS?V`-fKz>P> zq-U!qg>aKyVf#@5STBK zI^ANOV#_rlGe(E=&qzE_nqlIOXVEz{lG?;>Bu%R9UHUGYj=lLjRgLRt|0CO;HJwv5 zo+8tP;m-NhaQa5QMjTt->=15Q)lW~&oiEDJe3PRYYO;GGA+GXD)})FIMP8d@Cw?h< zm2Yt`kDm1(!mD~13N2^uMb~Obuf8VQFqfwBJm;@M_(gv+Xs zqN~i>iXu!}n$#h_Lf{Uv5I>hPG-9Ps1&4@I_k*95L@imcr5ec`d@MT;;FT4~TEvc@ zL>}htZ2@_a;Im77Yl1#-$=uY<*PQG?!6C}t(F_pjv|~`GF=O480LmAuoNlG*_DL*Hs5vc(aNg>HuZ-;JoCyE5?4Iv1AWFY{ks{!5C{k2<3_&s&eGS zK53DYR0>tehGj|Hc8asLiFco)cW;76$4MLi_y-}cPs1h4(g`kVld6OXK}fXjnn2RZZun( z3X*v)f-J|%y}0J5agQUeqHYC&4(?OL(zeAe;P?)4Y=Xd3ZyFJjE6fe-^0_rm8jlzO z&pPOEhAh;u*#f?0zIAF}TU1RDX-A$@BhsRsRf;Dsc z5n|FYAYLrl$M~hLblrEW3Pgl-yu-xkRk%1 zHY?aGMSxCr<+G&%Ya#$?q80RkoJiDcB?IUOYTGiHhG<gU*KI{SBe9Ss5EaLeX?zlPCXaa5M3eX71 z(RI!HBmL@ffQ%=tD`ZuLbveYGY7B@~5k_2TO&Xx1G-lRtGh!L_|qFJdc6j zJQ9!|@~#gZ5cCYIibVatf{qjL0dVHu1{sGfQ5)d|RbUrT^WLR^`FR_}t#gRoVRj}d zs2IpV;dYnXl4a2md%wc0n-Thz->mMHB6ICf;hAtUs!khr$*~cCrs%}6)U@>^`UFRA zo1LoU$+_Fz%hEhGkrlcQMXM}9CnsUVBk}xZ&_ITe%dk32&`n-&DSig^zjJ!^#<{?> ze$(_q+3az)j3!+vwwt4#=?f33 z;q5&ft0r!P5ko(Zfen)|_nCRz^TSyIXOb7g&r+EEoL}C|X0|7FThe8%ZMxSk-!Uz@Jqjc6{&r1@yDy?!3vI<+h_hFxT}i7EPvb@NJji*_zQIi~8DZ8_a%fZ11fRP$ z)sfetj|K*4^vnR|8!@^?e3VgsNhKrlQ!6$AfV_Goh@!G%3`j)*{R~_U*kGO!L&4`? zCqsFRPe!Q<*StUXE;4YBGF{_O+j}E`sbv?QGd{wtHif!~MX^Uqt%^0o5<914^I;Q! z#%qQz1nm(<&Dhq$Te*DTf|479b7H+3YGGVTEhMYrx^ibZTl9!4^!CUdsrg!(qMOr3tg}vQ^k~S>Rc|N#5Sn`HAD%}-UQ>+n z51Oo=kvTK6^;|GyN2K}ow)UH#6de&v`g24)}oV zl_=mT0-*=}wI@e4RxGiq^4yO7^!9AOkDmur_x&^Bcrr@&Lon`^wH~sTZ)=#R-{zyXC~=HdFNq9%)uZBzlx_UiNV9+-0cVwe#nz zIZ<2-G(j2S9uWzDh+uzEY~hMY%??ujd5$vA@`?d99> zc}?w(`3vTzzE^6z8^b)u9-Ev3;#`&t!KD>nN?Ucle(f#7UCb4Yn?jhBivpRIPfY~1(UW|L;)2Vj5 zC{Vz1Q|eovkY-f5x&cLhedxl<$khJsnadx9b-P)sw@GX6$yr!D!$yimzmmq;yP;M0 zHqh8Y?y>W%yYgG!BAedp_shEU+rqvP8MzH(0kPd(uPVFCozi}|}-@@hIQCv0y%@pSTc@qf==qp2ob5jRQfeiR1_L;^lbu=;bd zt+5MWL+l-GkCFY}Tc$~Pp#@A&(vRUgL(V7lP2IjXMNWM1f6Sb|I=^WU7(RN2scHD^ zXB0~&X6(6iZ)1uSpoLA=dz(K<{*_J}-HLhAE5sDUfTGOqJ(jun_yT4x>`eOi zF8VoTm5cA)9rE4pe?LloRQP_bebB6?IKX?X84d`3FM=;eo@4ynSk=h->ID8rw@>Kc zW#prt_nf}zX+;$!JjzDW(${ZI=^TA35(uQ7v;5Wg)OGQGr6lL#t5B71!b&KS3#9Do zPj_zjdo8;a1sNU_?AU*|-PEfx@d<>WB8+X2q<*8Kx%p+3{Y zR{Y0j3U7^J<`>*XkAD@GzE%@yJ6iwt@3d3m#r-+oVWv!pABy4lS|u#z0eATiZs*B) zNNs;#XhPCb_JsMD8AdJU{q>~b zp-7KujHcg(K_8(WG+1&fO6YqOW;%H|np@^=_R*aS51?43XTGd2?Ar>yA9WJ2K7M&` zQjWDI=%*dGv@^v$&-$Qf>L4FmLi@1sT87E^+w; z?p=>$Hw2t7V4<6QQF4AuexR?;X~P*3`#}h;}|t840^h1EO<_ z^*d7OIy?phc=LBWIJ#t9g#$hctt3HtX3HxH`I!YJBSJ}cRw47qQtO!lsoH|xI~QW1 zVZVIiPb&+{$YXs_phZ|&E3!=7=RDSjnZ-GiP@jDqp^|7ld0ZKEu~+3vn@!#g(NhOC zreTCDL+QmLNx-?TV$p4G5`$NFB#te%q!I(>&8U9J;G9N515wcYB(7;fxqyFC`}x2g zBwXGwUhY}8jbD6UepJFcoz-0jnQ%yH1T-nSQ0|9ExU#S=N71_iTR&p>?nzbCQT?a+ zXFq;D`*k-_at8Nxtgb&jYqY?H-kN&!I@8n zJ|>q>%wU9Lh2}{Wr#VWK-wDV5sF0ezENEYAPXGvEYt_ZdMwNo%ubz71)#&JwY3*wlPz~>$ zpa$@3AH^C%Sfw)pw0HCm^8EUPi*GhRd@6%wJjIt$ZZ}#X=`E8@+4!$b$zRok;JB|R8B;~Egf;yt&43I7GXZ4vef0}*9 z4ebU$uQO)bnV-7Gl;k zx4-xAGZJt3zq5TIy#pe}1E+ciC`$v5MM4{!my?A%U&Re3xMZrVb!Sb+JJsGuolHxN zEbGF>6xxS;EwaVV%SsQ*N`nk?*JP!(^s5C_3)XJQ{!Fx9ix>*O&HNXCo~7mI{EI*H z#o0cq4(*FI%v~5_;m@yP{oyVUW5y86e)b1KuOYY$=>xM*Ih~ej;xh|A0Se!d?!`C^ z_9~a|T;Nr3FfLExeRsDu7iT4?=pmPs0Ko2C&7?ux!5mlPY@G}TL*awScj zUYJ_VxS!uRk}Y8neyA0D*Z)cim{~`rjs)OY95iF@Hj9IH&O`Tlp`W{lt}H+;N*Y2q zCWt22{$CC{L0Y?ev4^d(IR9S`dXF++;~~y_Gi%c8LYmxHa!^nTD>}6+4&MZnYSEKL zn(lNAi1!VMyCyBflq@7SEu7(+mLo05(H9c47S3u+*F{ZdtW)IVsHL%a*mbszC92bR zXd32$PSJzua?Z~$9vJsQ{nfAKBf_LGWh!z7KdTIaFcrTCHf+uJMiGNT0%8f??93r2`#h2INLB&SuH znG4GIm!B*w$HXt5&5C`#Hj*Fs^d`HDUn4;!oKyq;8&2(l?6kQn4Qv

A%RT=Js^}hFmMktn#8p`pZ^b<>t0ef4E}^#!&7cNc~5=* zX~Ez~ew)Hylj4i>x1!ThC#BUGU{?V5^xpGJQp=A^mX$V^mECB0QqxMMw4&crG3KaJ zi5Dv$M#@vbB5nZ9rkqm7&dMjJix3YvUqF?m{w1xGvjkD}NmpHBs*thbNFYsVMwR=#DjFJBDaP;gr; zZr)fK+feVP7OT_$cDp|M1bN1a7vM$q(;6JGxFjDOs4j@5{f=Hroq&yninA z`(@ce?#$m{95?NG=`#NJmM@8xv%gVfv8}m5d(LH$E=je>gdJyG+zU1<$3jk#Ih#jE zO$mKvB`Y7|Crq{brs0rEu4}%%eM9Q><~}yl@>S7$kf4p#|6fut-h=@8xkSm^1QliS z#B=8YIPTTX!;xE%pC!!m2?dE2Te4ELtcx4E2V0M`poV3;uGrn|jg7nnTHQDCY)@?@)>=dkD&hw;%GvAXrez3SR%TR z@1FYb=0B|T)-M(-og^K-omd>Ua3lyZ3uZQIMnrhdSw8n;_&(;|Kq`f*@GPr6f;3__ z3SRBA_7LSW_w(Erb)>gnzuK3>9MFSVbFg0xT!1B&wEf8t65g>ggkdIt!ai_o=0vIM z#9lGauf3O_%!r@V|IH90>FnGe{wG7|dFeyDD@3T5LHzOG3}JlP-n{#!!U^W*iT=$a z-_EFVo;lb)y!@}H?m2w5Q5SxLvl9NsYaN(=+<$ZFz~VCW__YJ|gad;R+Wb+g_C9S@ z1H^a)K_xAN->*Zxx|{AvE7X?-@Zd^V6V!zvUG1>S2SJ^pW@ z5P7ZT-v22SCVhZEgi^{GtU@6;j@#qsnqbIY+{MomQaOnhVH5M8r4J_I^!0?o=LXmI zUuf+X@qF2`q?unkC=NM5@%}^||Jily%j@Rls?yl%kVUWpXazgP>LvaA z3wT2QdDmL{_>WLs`gXK13qDgF@@~Zi)d5Ug{ly%6{9mF#3HIP z&+du1ACgKA1urpkWuoIt(^CD{H6B}B#H3^-K0h7(BMrK1BtvWZ2MkEgofX1CxutC# z8AS!T5HTJ>9g?gKAD{ea1w@SZ@TmrRa@*L*5p#qSB}I9@(^Ws zez$qPd3rPEQ=flvtyZw{>6G!=q0^e{8}~E5c4glC-Y*vaY(cUtdLpOVvi+yZ$aOsT z#+~Zdcaw0MdWMhGFh@)*tidTp={P%&Z9lrrHn(5u?xh6MmUYqXdhdn0iuRcjq>Ycc z&AxqWm7n+Em!xf+c0Jd~iwUvdd~SjX2|2WRYdOu`c_`_VTIeJjGEkI@-f|V^qZLp? zN4Ti%(bOV&5?-Y2R&@;5e0^W4eB=HBwHGzY6mZoZ*BDnCuoOMZH7F-Z;?fi8o7J#c zF#Xj!zHH68pO16Z+t(N1P^&PY`DFDE7sjy0%ZgdNT$C%fFDfvGmPot-IabbRj{-#z zY0eIaP&16ROXh^`T$^#jt|ahyiC!V9?? zP1+|V_cO-Z%mwR3{d-G;Kw$d^t$!9sTxfae_`Ly?0{DyWg7yUB@uK+$lFhQ?Sla}@ zK$wmf%`<%0t|(ESV`bg+=i;3LZ3>8g+fiEVPyxbNvEqBS$=F3-Q}En#JF zPQcYCU}$y6M-`L}G`GqZRx5*0VJ8Z#9oVE&kP!v^d7_{>Rfpk9_5q*t_Xt>BB=&6= zo!R)!^>i=Es_RtPJ7}plfPfT&*TIb56PquI2lsMjpVu~BOtR8}{v>bdKo!6x!Iw2x zv~OW;6h>^a6$igy^7Kv)c;!Yla?5$?$jy3hYQfgneS{c*28qv%zg+ws%G~{f&lSjv z)VQcv71o9(+Fz-l^nwz;*%=MjIyg z2QD=6m?G?SSo=RP@rJZF=Wm%lg&pcS8SyU z{ph_2TTLhqAW}zF>;iO3qB)d*9%2{Uv_Zh4>+q9w5JJ!~_hXW5sV&JzdNvH~gvOn7 z1Mk3~KQ!0A0&-;H1K5tw0C^;FJiJt@3W)$vz>)#N7dV@L=E^RtqdnudTdf6!??^w| z_vFuDM?^kFe0%{@*leFVbYHgh2}Tw5vH-?6GEeG6YcgCzOxBo5;Ymmxhb+<|y1!~U zn>v7^aY5}%uh^@<&7e4SN%GQP{WQ;Wkzu+-s_q5A%=1ob!OfzVCZYK=-lCor`L4Ok z6H7A=T}wh$eLIS)=VTY_N~?tNg8C5neMz4<+cRb!s(PJEqb9CMK??V)@&el!#C3_= zIc-06Q^29#TcYcP++z;*xj$Z@RBXfYd2jFwO6*v3qDb2k$*3YjpI$f=GUaxCG$)47 zsxcPM$+I4s9i4^eyiO+Ut^DZk#P_ltm@9}cVH~^F62M=^06Cs-sOE&z*K(hrKldfu z#KebrcJftNxwXrAGLyUpOe((lwBN}`>1PS;+d#C%nRd81ThT>YwQ*Lx0CM4&>gY@! z&r)meHFi5*Q;Jghg}WfaCWgbO2c+HdLkM%5dfj*_*YI&i@po@o5p%4R=~E}%+2ORf zocL(-PB^t^PLDkm84}L$&oTc30PNoNx)((peq0_UFfHU48xeudnJm4Kc&>EAXQJWF z-4x^s`G$rpz>fb5?xuv$6gpk(cr!iclC~Yr{Q_Q4DfUf+cE7bY{u53OFchF`Y%6XF zED_3rMq6sqqt!XD>3VMp_6gbPs+5;NF1t{8L$ptu(De1uBg2FJ{i2C3W1NnamB`)w zWo+O$rz$VzI1M5|5NQxBcC?>6nfPUA3eEJgt~KD(@vy^;a>%C-6gG{ZkSlDZCy4|> zE){v<^KH<@PG99wn%J#^%BtG89bAzkZ}}}lH9y7U;6Y1!da8{|a=UW3Q73b>=v7_f z3i2Fh+^uzYB%_U<*Hidmz6oFZZd(+~!bVPF?=v{IY@a>qeKmt_*Kfzm%xsQCStJ%< z_O?W7qo&xiwKnvJ#C^0N_p0T1oIPo5vNx}A*wq29ZaQ$P)t;XXD9D~0i2zHDeCZrr zau(`YfX?}R2)KBa!Zu+Zb*&|1G12c9q{JiN)VA%#VwvsjdW!_(`5%EoQ)z79&DVID z_33zfYsJ6OySz-p;MC8xaLI&c5=!LYzj8RRlHbumX z))P8oWp7t7bt|k{cV;-hzT_##@4>1n#iLa1~?gI?pKj4o`8PS8o6j<9i@5>S}hUuf=qn4KrNSx|c&FGnPB zp7=-wx3uJIp@X5mBE*uQc-34g@~P#@9jiLVI~hRG%~NF1rxj&6AqEwekNxVFw%k(t z$b*glqrarwC4rIfBYyz}hzGC7?JI0+st^Svc2gc@v{DPzt~FVx24>9N8+&_>@b~c7 zEWAKG`LV(wXeqZ0;znc=*qn=%*&CyVE~ae?niGM%5!Z0R3?!KJ+KxN*AFTP#ChT*_ zjZU5Yb9g$X|4_@X$j6qYD_R9bw5`rRbr6pkxo@E+e@5!O_3^Q%JqO-PY$8b($D5KU zE?nfBgO!817_jJ-$f`W6z5Eo!6eVTB12zBr>adVTizUEubu8z%RG6gK5xLW;aAmYq{w>c;-kE@~7nB zN?kb2-u?m}C*e5=ioyYAVzUq!9S>dx7W^thYH0lIz9ti)q?I9zWaLEcUW>-*b}kiR z9Kq8+24jCRHT1@Tc4&y9XO0>D;art@eep2!mifZGNw+D;!o{ZhC6@b855i>%J;X0J z_M2vrQzUfY6J%aNyycg1?k^}y!~|mDzIl>S|5>dqy$3=;wwd=ptZD1Qx22yW&9IGt zOsdtg@lZEO30ZK>r`@cXfdBaf97W|&nCF$i^1Clpw=r_QC$kZ;a80DDZoLv{8ERAx z(3AuUV~2GFZFHK<=RX{e7J#y$z!59vpmnTw0Z{(XP=gE-(8hPU*t{rGwlTfW`&li1 zX`FY3d|VJ@Nkhq|<1DjqhKLDkeS;AXc1I0MVebO_F_2TAgNS73GsYbmQNe_yHY28^ z5N|nH1PlxzfW(M0f`_(h?SuL4LQUuzAex}e2fsXnGa^DxVDf`g@&iz~pHy4`9dBGv zV?=EaijX(#!6_V0&Uxk4WIKiKJybyCMy}}TAi!WkwiEyDtJ*mdNqB>u;T~&K`p+qM z_UYrU(@6@`mXZ^QKA_MDaI;p{>vZsCBp?lw??8l}Plq&i*XW{fy6l=7S08GQ zWgEJ{qS{TuI>zccOzI}g*=9^y*N43sW1+7wPT8wypBr>zV91INMS=!hB5;cuH0* zPocZ=vr>>vW#TR@0gaX2b&=VHC8y_{PtUPP%0EwpN{Rv{Rao=m+QpK_E zz^KY~Uc-L=>afDhXp@(H!#m*anVv>rB4hwC)5V;T@?Uer>nLrvB@NOV3LdIs4JqC8v|e+;|25l)nWtr(b_r zydde#*FP<&@4xK~hC3r~6OFIx8FBu0RD3LWTU zbFU(NZ^YZaj<>z}bk4rn%JF2iv=tu3T(ZUa&HwEsR*5q)G;^C66wmvBf+NXj-xEl$`?$(QRLH5oP*>%md>i%mh@)>HqixWZ{K zU>yMP?hQDp)`J9sCgm`-V%ANvZy6QmE08WbfCD=L>Lb`#g(h53uR1o*L8YE)1w6HkQ~P^jcZ4JO2|gZh zN(z(D`W*W3d5 zg(-qJaO5+OO*x`#`dg;6w0F4O|p!xD1a^Vnsp)+|l1dtTk zu_;~EFPtf<83th0CmH?!Mc6{7aHRoUIC%)80@gwSEoeM{1U7N`NB_S9o0M%%do8LB zV2uc_=JuI|qT_9*A{?hqmy%2x4WmyRMia8J0{WzLIfjRxjg7;r+=zu;{EKlE=NFXo z1F|6vy54CaJrlg~)B?PFKh>bL`}fAy*I;vO=yv4uo%_#kNR3=P*TNSHLeR30+2G>Q zjCmm<9993UJ8s?cZNd z{d0fYG7(c*y}kh5Io50vNy1v+5Q){0c0k}81S0I;(z%j@*Y1%sS(m z%dp7n1}m?>2HW+A_U$?MCjdnmU}(~tSgtTVmD9Y zQg&6GohPJg)Ju$f5)x~;4x{BI5O8({xcWy?Cf}l;v>;7dhfps4DJ3FeZmkct_=XE1JJNY#L%YbgSkz+H#VBP=cGKO zd_thw`KavOH_#MWElO%9?gq@z(?!zp>Q%-W_=o!bC@Yz{}_Um_!}aoKtz znBYsv78}|3x%@V}ZX~QR|2i=hcl^!!R|31)2W|oeZwAtQZ8hIGKtkfk*#q8yK+I`J zny(4+!EPkpa|U)|AukSv+rQ+}gceh^#|8guyNjxg<@(%@NrfvMyuEP$8z1VOOIyrjk}}GMMdA~ zJ$skfi|cP;aKCtC7K%DS6}MJh!BlZBLvV_FKY7JoZ)E8HeX*{>n)G z`rb+;mH(f=>GqKsis$iVo1`Wyff#@S8sKmRaOZ|#;iZ9s{|Tq2=fn|VjNd;wM)J<= z!qTwUa-y*oXaYG4Qtbtqmc~uhq-*sZ#=xLw9)8uB-uvh4=Tp3CVZT%4NuU@-Y3FpT zA!az8Y;Jgk?GZL(CLi`!p&;IRAnl&1jW-Vc_HX9+DDDi~g(bG{eFopHWqxjJeZjkj z3`pj&fce$S<=wRh*-pLAW(NP_ascV(zqp+C`;y38rIQ+|(>@N5F-b zFWF&mF=b!P(t&|@zCLhp1AIJJA(B;bdF9+ecG3sX-p+W!_VYK}`9eg<7PLS(oe@NlU!s%o5CPpWPsV1oF#qL49UUA1$EhR-sRVCN z3zZ+Q3knVUte|hh0dYm3`(F;l?S#}c&X#Vp#2d?uKBXK44_gcgE}~PTC#3A`+e@wH-xyY|2=*2-uE9hMZT|*n3!&1X6})Zy{;ZIu~wM3|p)xObBbM zC63dkoms0YJAA}4Ep0|F?U7p@;w;rAWhW|r?b)xjc8AxmMr|qt}=b6LGj2-0+HIEJ>pATP@uu3dV|GCKcc*afJ5YGp*35ABV z(!z?wYWyR)ebSbrS~Cn=quDf5mtuHwVNYy@3|JccVjZH!zerXGSSr=IL|8O^ zx!}EMsD}dDfthPTU@J|%F;=nbqxZJG=9Muoo@9@cf5AAP*>wu?45fy1s@&2b0YIw8 z;Xn{OHgrKCYPA&ydsMFaEc0_~BqUI&zz-J`zdLy?Bz(sTik($YZaDy^Iz!%n8U>(nsJxekke_?V@@=eka9Mn43uFRZk$~rMDi?#31o( zyU7RC5}9klO*_~_Z;`%H<*rHvop)x*0W-@IAPnRymxR?ZU{qKSV#cmhI0?u#MG)(e zsY_=nro1cbk>HjMG_kB;0^C{`y4ds^$eKWhtshXvGbI2ug+XE}Cdfl7R~<)|~03E^cD#&LQ$lOcZA!e9+C zxoEaw@l}11Qe!nC&ny8t56(yZKyh20F7Jb~1r@#lI-M_6teH0zc;-iMnT!gQyU^sI zyO;M==5iKA;$};h^x?Qe%fbAMFg1Soi-+;yH8Hl8N+k_ckWfTuY|{{;!q(TjqhO*T zWv7AwO;D;V$`cA@=ZB!QafVa(i^5Gn?ApyHYdgF4CTrzS7Y%jwMw@Rs^Le-k?IHkd zk9{lOamg4&pkTueM*SMYa|)-;Kqp)hYWQ~UM&?cjv(V4y4+lcW?nkb1GIwA6?Aq{a z1%UgAd2Chon;S%@xbLs7_T&|EBraic`5M!9VqX>;z}%z_nsf`KuG*HzxzujgWq<`@ z9#sMei0TxSR;r%7)YUfcyZ~(gsDLi^B#zD%S?46?Xoi9xVv07tE~H71RqFCE%mzu_ zARjVb2wBe2m!O#u1eVZ0+!-5ec0)^0MO(H0J_eJTQz)uLQ|;R=a(m35-A1&pJ zEn&jGe=5iWeC3;+DdQ!UPjcqa+0B-aKvq_o8-yu?)n#ASm|ZuNQ$`u-qX1VBNN+l+ z`T7C@9!aE{nOlLMC6i$HSQW6eR^UdYI@BNrTwCUIZ{s2p;Zh+g%OSW_ibzls2u45W z3>Lj9dZ8%3MNr}wa{WT4xVef>n3CgbItFcAGWii0 zd>F}x0^q%nRD?cOQWTn0Ht!Z~TGRN*5TZSGK#wtX^>nT(Xd^3L4doSnmphbp9Vbo- z6^SoL*61QRb;q!2CGiU8cE$!yKgZ*)&VZGwl#h{cHauB!Yg|v1=3Zdo9<_Y9uZc@G zIH>^-haf>dzAmG?777NJKG=Yf*av5=KFKrm?4=zm#X%GlPpK$myR5sk>XZHDh=nJj z$vN!@SNnh`@I{{M1Wq~H02gHjcYJTD7!h=u31o$fFSL~BoBJ^U$Cj{WnR)#@Q~{Sc zfUndp(#bKVCw%H@#B(xGG-*#U&-07IFIVr8iglPr-DpW*W}Tsf+l=+5m*b(2|HQK2 ziVY%ZUL?#08AEDytym&+i#`K|A#4m9=@g`7G7$O&mhu-sOmA`Ec>N7NcsN$xyKPxY z()JxVZNXlV9aGRM*BfhqUGS_&gL&PDdWP))4a*fg{0Jl{(F3KbQIW5FdntE*ZRhxt z2GPCIj|xf|5&}G54M$+{dOb}sA$Ok7SoXi82TRW$X}+y91Kj3iLsyW-JzP2I96jP|?+P4$K#Yf&_bqa;z^{>B*tt4mnsC z+A>PokU~%wZSV2Acs;+m0H_DL8pKy+BaTXA@#ln2E1(~fGS0?9GZt# z`9iTk?!7kH!#!&jzT))uqYuv|Ss6R`VN*CB@$(|=IQMt79+U`4(6Ljzgir}@nW?EZ zIgYaCOrrmBkycBl`x@V;3$6Rju!O3+60g0%*(e$nfg^!EtSW$~o&kz0nUq(g1zO;G z7m;jrZ>Dnd*o%px*c~INj|n6OsHqh+ zBiIm{v4pziO%LIAnF3VlEGS9SxnAjT1Lq2C&8e*?UvGVGaZ=Ix?0R2hpy(u&^(tCF zkq{R{yxTvJrj>d<@Ix+~t8fi`>U-+_4W!5u_+0jl=yhGouJta*-Ah1r4Ty&Gg9GY_hV!2qs7K;fI~15=DHLnXK1N0|$a@xK)!P)#+d$q_is}kL8aweyLwKm40%q>D z$ot{hg2)IAjt5|+MZlVk*rX`ryDmBRkKoL9ti{Y_?j?I^CjmvSZomU%);0q78I%XV zv3ljWTi!1YORxPXe9g1J*Xh&Q2e|V+~x?yU1z;~vRdQw_G`iftn#HWLvJu#)JcrBg)s)$vQMBv$7#?|9t8D;EF~_N zd_UM_upHR4N(QoSfDDROs@0)IYgWBXxLfETq($fzkl!1{Iwq#bTVPjd!|(fk%y;EH z%}wm&P{SLb{vWSr6Qo~tlqMM0_H@g(l?3%}H0d45BCY92L;QgORW23hFk>Z>MF-DN zlvc>RbZHJxIbJ~=+u4az*5C{etqe=wm13aIoECT&dNKk})xdVFyijPhaCo{_q&I$;^7Hg)!`8P>qP8^+H$buQv%F%*?La>ho)LI6WWQOoN|1W~;10!%5MoY2Wag5OO*Un?a>!yri0Cfsb9a*1u|f z%vDaT92Yp)9*7625U8A7UGk|^PJIy9`WrdA6?Jp|7zLoy2V`fd%+J_!0eF$C0Oh1G z<+d=JVI*P~h_F=>se5J@paf>>k4tb-5J((a7LQn$h;grm9?HhHfi8XqK3JCyuRbMV z$Q9=)A-zKO)|sc~qGVHL`62kk%IdKZKd~BF13cKLiOey966I3%>7$CVze!FBm(==; zdpEB^%)!9iI?@f>jj>fN2vmiT4Iv!mkl7n6&gBp%aVu<-HNcECZd70ct_E@Dpx{f< z7fmsNTh}#g3BsDztefKTS*u{RHZ2?(Oy`uI0Y3Re#u!pLggZD$;|xUw_zpgNn81U^ zae78Ywq+|PSt}x_h!H%xUrO_3*p)IRH3rZ-6wzzo`a@?*X-}=^BBtz>bwE*<4v8XA zUMN#ew%}4_>i_IIbFlM!lxB>v6E*IxvhPl60S-rfs1ECP62!^rqcqFMRV=A0m&T3u zD204jL)waTxsAyLh6_}v4C7#)?^(SmIX`Qww*WKq2*U~1bq9>tv&t)q(?Ulf zTK2k&RAjGWt3qG*UJ`Y^`^M37)ieMLUw3gFc|L8G4Ns-B&c3o?vKAyns@zLO0jDDf zl==eX&$5zUD6GiaJfo&sHANOfs}CgthN60($9+h)&X%{eY5;-YW40*~**tqVoeKEdoN&aCg9*_U4437{DYWiOa`>0$vdjViU&wk;k{skDMIiKs$axJXW?ysKu>X87vbe5)Z-=QLqRk)RLUeK*@i>^NoOncd*LZ0Mjqp$98UTFD353#~pmuQZB)( zy8;Vu1j~2Curp8+<-iy<&YigV4>>#S@3(Ix;w6u;77w(|PJRsf5{_4E)e{AnC|dE8 za8R6;(xH`fLFg^rknO@%?vb0~6WAkD)uV3%GXH!MTSv*;QVhuZ-ESc#Buym4mWzrU zlha;2eJ65e=uF6v~r{=ha4OXR=-`XESXF$GgQpsT|(m&jjdlow+ouy_bv* z9Pa$Ad&V&eE2p&uhEz?shp}?6Fti452U#_XVEMBROtMljr-(aHtFbtx9m;3gDXFuP zRhJTmhmQ?WZyqsqP_MD_C0Ik(lmoaHaJ*O9P?yV+D!tPEu*k+80yR4XnC_BQzD?D_ zW{uK6gGgT261Azip=E8i9Qr81cyhWRP{|cM$;7(cWbhJEnj&p`CNX@*d&n<%k#c}A z2B@4WtHV3Ar%OIC1b-|8@kh6*r@lq91J&w4+RizWt}hO}Z$X1@vGxXW9xltaSQ{N{ zLo`hToA8n|e{o__d=Y^41Uztrd6wTCXBM~w@&j0WPzbq4JM&g%xCc1=Ir#{rk2(W5 zf`5@Rw>EJ7JmX`-rF5HzkbQOuWPjO)XAGzAm!?PpkLHC*?xGAQFt3>fW~^^(>l6@s zfOH4S@$`Hfu-%!8`f&1Ni|e@ldgpPsZ2qw?;&iKOlQ_+A`c#XxUs}8}gesGcQ!fX2 z{zc*dRP&~T&_>znBUBZ~@2R}3km<3`Fg~shdrn93+oIJnQ3mz#L$G!I&iA?*eN|8_ zMODyBBIhi8S68jcT0@{WsCOXK7XM@gXH+gez5g}jufI=;q+>Y0VK~3Ao8w2^Qw$Xx z0D1uMVGi#uD(oy(uyG8RcZHgwJ;K!nK#rY$1)4O9&(_3JjAQMk`vfR)*wY_~&}Z_j zb`Jm2h)brn4r5pjRyqa8VLS=umVY7j@oec7M8t@?zKtH>9FOgtyufd%@&o+Qc*g(7 z*j;}${XhI4U$8NHNcZT5(E|ZDT0-dtX#oN05_F@bq#GRF2#6A*j&1~`MWjVaz(Pd) z&iChiea?0L_Wcibc6N5Q=j(a9KimkG_1KVGJrc?U@YEzwr^Q3$E_nN+g9*BqaZPw3Gty3*hztPp_m^=r8lNWp)mp#W--fgb&Wd(I?W@pHr{gCc{a?LiW;ZH{$lh>l6D8PmTyln zZ6AyLpl>f3+t*~=euVFxkY+C|2ZG|t235SJ`%{k$R86cJ&AL2BrT0z#_)5S#^L9uOPfXn z==8!?j&1Hj`wh_*nR{6#aK&PLSyEpthMiZr%W?&(?bW=QEMH=TPE|bGLYzF zN$^8iO=Sva^5eM6lSp24 zIVaypW96-rYxUerRZisILTb*elV=33weUT;c|KY{)Du2X0ba|lZWtLEEE|G;{h{k;N`U zR@rnM14mr_F?}9*`r_a+;LU+;Sbm zNsXc-{$fpenVe*|<5c`s2+dI~-VEbUw|-a?EVpbm6=gF-RRRx90w0x)y&=10Ba_NMQ0B7PW)y zJ6l-~uJ_WH41{GwBwfuhH^os7y@aqCUyP!@w`vSy>Q%Fn9&ID4b409xNs$ON1hhU- zjB~xZ2e*pqzamtn2#HE9D0mspE4(zF5G?EIcBI@fw0dF`1Et#{gIV=Hi^ZfTW@VFc zdWb?uK+v$o)uB-LN>;DdOb7Ct$`cmZnUSZN1D8lGYp1Z>@8hj1Uir7SXPoqG&#?eb zLtIIJhc1{rz;?lpoK+Y(U0qBP?B88bAT_AcV&U5l6vADI@1#0 ztvuaxMdq*>njCx`m1YJGH)1*6RiUSsaY`OU9}GtoCMwD~Dr<+* z;^2i9(q^^cNSz&N5S53s4>wy*Z|#KvD-U5%zBk zv8Y}j63_EkG-V$^|J448(lH0VMByc~gXFz;`~2UmHESHzJl!{=bf2!ZO9XR^duZF- z8ebLU1PqE+AWM(!GpT~6=E40m^1$RNAf$7C9`4(8n3OWUqeKAPQ+Ph72eFlEbWHYTF3Ti{FFvD+`WoF!=izVXB63B#%=FO_uItt~ObQQl8hz@c zCw@3A`L(A?RUUwn5N14?2zYt@#%cIFQBL#63u~V_-k6&@Qi@AHn?LJ$^5Et8ww=w& zM&7f~Ctqx2f|zlO<-5_K%gdp)CRLlI)?%7##+)B1*{Yt?v_2<4a>c&?Dsab!qUj-K z`Gsmmqv?{qrJWJ$CR4q^djT&Sp2kAwYeEh~KaQj*DSa2yQlhDv)2it~623SYt2qqE zo6N^WzV!$_hMQ+k+&*WLNNU?2e*68+7597JZV0^SV?p8BhzHQcL~ISY)!jdM>%ZJP zj}8g$bV4PY)7+I!ReYS@{`xm2eLg5uz(q>o9^n0Moz39P`+dFodvWwL_lBfnG+w>D z{cXUlw8efSypBTk`|0RY%jbf>7Dr5yT|!w1Cmk=Id@OP8exb6-^hfSAKxIF&>iK6& zco>s9MiC|aYpG@8e$3~~@!!g~*^KW%+Bkk_{#1#(*HkLK{zy0Rt7iH7u4!2YnYV4Y zX43{VuY=S;#(T0hM5*P7p0nj+(5~jaMss^u-n|`H-?m)HfN$grC{qRhowI3I$M3gZ zRYfp|`r%!nXW#rRzlL!7dQIGp)C&rwc0&j!gs$YmM5Y`UwS*tc%L$m<#_VY4YKwey zv)G3^KmHL0K-!I|hf5BSX-1O6-!AE0{L<=T^4_};pW?OY%s6O0wzyyYwC z_R>6LOxw*bH)512?zgL}M4Gkxp!M78Te`9SQ;hLtc*i-Y+|rKYx`h*ambQR^aW6P9 z=$TW2pk4C3`$@I@Wi9f76yol;Ts3v+8@JLt{=#rVj1w-%vc|<26?|ys*}C9T*nuSt z`3uAC-0t|~-s!OjVRxr;7)*3w#(j&8yZzjn2*b%C*5^3?QF)uV1+TkWHgQt%aXq1F zy=*9^Fs%7~Af58H_%K|ae1W!3at`^mVbO;jycy3E)Gfo$6mBpf9)8paGXD`{FlcY8 z<9S^kus@s%CZsY09+8~cTj6{whM{9j*32IhpX5ahS6eyHCw4MYGg;i>N^oGBvYr(T z)gADHeDx}y^M9A?SeABM$`UhrW}dZhRoGk}EvQpWYBwt+h3$vcBAo#a88>IZP7XQ> zy(uXjm&#MVF^{ssHy6Q=bAnm~WA{2zPtH=&KQqyaSwN;l3_s^4kis#+%Av~2jqr&5 zEY@Ek#8W%YUO>~OD$YDR4Tm=b47%P;@SnE`rK_cuTnx2*D!000&h{z&Ba=uFe+ECF z)HSD!pnP(a?1OJinUxlHQjk<>7m%tsK#%~mHv-oovBkqd>SS3N$9XmgG8<%mx-i+% zS*qqwd+U$(2F;W=$&vsbA-|b%w4qjx@^P#~5iUkDp6(DngufjN`K?Y@=gy?~1v82G zP|47E%V;_eGWUq#0RQc){U_SNX2!EHomv3jK~4sHxdm$8xICU$A7LW*(=R#<;WkL01^R1dFsMs^631XpA@fsDNUOproONtU&==h^X+r7N0sDdXg6jBw|eFzRzY0r z;A2_d>>5)UEnhuzcqDmPfxc#h+q7B7NR(Jd;j4$q>+x4PXXB&Ikz4W>!&VvB{4)S> zz9ldp=9KSnp7(??Q=A`kn?MqaG$DF+ttsbgj8LaE@((SUdy9F0fq8RDW-VzZS;fwO zfjK-Mv*c3vkYNl^aK4lUAZI$eUJ$GuXC{yT3(S4-&7ZQVb8k&ppdlpjbXvCqcc@n5 zlNCzS$A$yecLI1dMVkCcRisUV2WML-wdq082#Z zkMj%U=#oCI)xpLhIEM@D$*af`xfX_QQjjNqIq{OzzD+&vsALp?VsamM5Bqc*8J}Z3 zWu39q2aNPImawv0w7z^0tD7m6SR5O~E4Nmo$LNdp_$$(n&YSj^pB9NcDX#kq(ly5* z8a5C!!?yD-$hA)ur!J3MEM>}t)5z{s{@TSY8sbUTn!CsajVoPIyf(tj4WvA!N-b>9 zqZ=kdMK2LyQzeiU<4ak( z{B&QWB73jtG_fLnt+up_B=1g}Exyg{7|3M^IbVJPvJfk-O@w?(th&>DA)IYpaEEiT z(p|v+7NY73D(M#=E@&OUENByldyeX9xoUAAVN)%}*d85NKK8J+8zefxT9Y!|DyCQS zK)B<{Pe|V-TpOB}XZItMI8>}N20zRm&&&U}VOM2; zee~!S49jMKd!UI;p7y0G!KgGZW>ilD6}6hN`}EcNm~nq8BP zv_zyY|GYf=ULR4jmyUL->k~D5A5pVs+Ww>24PWmNH9O(4e)ppjblNBQ=t%o(+Ow=D z_h=#)6p5O>tsY;*k8|ksn%bcf!J2y(CJ)LD=G=DgXA^OU`ve9dS?hRvTG}O9Y96q? zj5IJH`nDFR{K)Ey9&T54-Z|ar0Ep(r~|C%kN z6P|VO4{tZS*X)K)t2yX5(UT$a_K4e{;?*-Zt zOu}A8h%g&CP0vnq{+`b0ZGZ40cPgSrS{F38atYZAPyO7{vDN@VrnIe(0pz`2W#4=C zF#>i~42-0Dy9Ag-r?q7$k9;nqC_H%b*Sf=#)(uA)7v5AAHP+WkpY8OYL z8^MqiNgG%AC4DS&!|}!RG=XdeF){7=d-_!ix%cmBU-2Oc*YG@tndqwziO9WjeujwL zlg1&d4Um$$zSs$ff_KGX?OUz$+W&*x5wkhUBUkH5apS3fk^AvTb@yXZHkwL~IkKdP zn+#Lthap7d{*;Y;eJV@BH-t=OY~Tm}xp0F_h@>pgHmD*XaBF&;ZzUjNr5-sna@amP z(K_0=;v-}0eL2ytK12H6cczZ0+_4ia3o}IJUUEJm-3U=Us3j_Q#pG3K?AvTT$fLu* z%01)oALVY?=8ByC{Eu?SvHKF0yBl+a!_Mr*yZ)+_QM3BdScHF5WG}hgyNaKWDC=AW zLi}65MSVSe*Zf6j?B&Yv@AV1g4ZhWO0sA2?=_x(Ph(+oI9 zYpAmS?BgVtLoBJ*TZ?f+g4PT=*3?}|zO+0evLE^EKL+3b7+UgiVkP%73AMsy_dv?< zJ&Es3`x#`~a1$#wyv8xBV$c@-ezRn`b|+;uDH3+=-P7x;OPKdt2Uq*e)~I_36zV@I zuOLAY*a))K*_(}f28Y}0aBA??<<6=%E|a78bFVdzLz#a(dRm+0@3$UL%BByOl=gd2 zPawIUbP$w!@TTG81SR_GQ zlA!PpKZYiM)DwR2zW#yxa1h6J7JUCSOm$^uBBdV5r-%nEHihGw53vVi8LMwgN53FB zNY}>!84)y|F(do#BGK}s+7<#Bt}kO<52!Kmg0_Hp;G`b=##OR@k_fP+_$3r$ym3x`%6{+q3hFLXcKzl4|%2mvgQ>tyQjhe!+o_RvTGL?zlw z(T4?6a()72up}@}=0A14e9Jv)LVcq|d8wH@4VNOG|1Hwe$rE}zxY}-wRkvHM5wT+Q%;QZH|GjICk-vQoH(n-Pdv?at3;|ltguxVIgJ-R<#NFcg^sjV%s{D1`Q&|5(6^U;dUb1 zfU*kbh?hCm)g6xe>Q)ABJk;*Wbt?0y3T!p;81apeE~61W$4&_`sMTJntC~`$Vf)@} zo%ph0Wm818C6D>?j_S|FWyv?^Q_D}pfxrgIDc~lLujFedL^9GH`AJ=hm-Sa~v~tc# zymX*FMtg`_@u|D)4bLwzxM`7=38+d3`dQ+7&SEbV;g5B1W1l)nY3F#jJFU&0@M|sY zR!z-DChwd{Yh7)F<7B~pV7Rp4Zk=p&XUPU|Zwxu$T&`PLmRM&gSDWD}@}v7<=8b?M zrKDF^KNG(heyyAbNL)Z))=!yH>(dvgu?}n)(eb=o2RaHlV+-}=#`NRkJp0N_jYM&I zbSBS+6JTWKXMhB8W@dy_9P@Dsg?J93N86Zh>RF;RHTNmq_6nQej&BPKXRNbOUbMS+n7iWkl_>V9vkPs}n4gpcpu0s? zQzpdM78iz(dfffMXTH*4iUq0)bV>i%Yw9^ty0i1e5~v)KdgR8rC~Kryu-~g?yUckOb^9 zU^z_A)ZuU@+o*hK&@Zz}BTvhXOQ6D_jYk-fU9LGUh@4N{jP?KmNIT|K*d`cc+Te4W&GUrC*9Iv zaFM~@ioi3uCm>fS!>HOZyn+U^n!5FIS}hn&$_}81d<9a7xRfe5$xAc{jd;A* zeMI4`)3gyZkTsR?hNiJf+3fO|T-lU={`qscCzW?{G;EXRkG}L-t@?W{fU{t$mr!nD z5#m!Lm|mqnf?AyC;KAp&73?@tXR7R#!lBVqRI>B=@- z2QuolPWK=g&rFh^$Z2~VMceREMROQ)&mSJ0+KnIuAg|L|?t{o-G32LHnAsF~VAJOO z%yK#BdioXB6U-{{NNL(4*r431oL^L3$+&siKgT-2Rl>}Zu_@ia(6baO$M`Ky^=r?q zAIwl$^YnOKDl|L7zlxI?&F&*0L(!xGSJfY^=pzru`bN`Q;87&=mfPtk72JO!mz ze8FCU#d+O7xgm>p1mlt&tUi+sQ|!=1(;K?Lek|Q2TcrbN!yl716D}Wq<}QVW?c%t> z@4&s^(Ls&Ti7mbYy7JTg<5_tY z`>9z2a1?24AmXP?1gZs7X$Er?2qzeRgOkQP{0r-mui0(;<+z$HiT&HTB(qX-TjI`T zEm}$f5yA`WZ{qx^6LYOVj=_BwV>NbeuD<-GF+lS!_k14JpKfNASg zlA)h%-pqHB-uCf)6DF28&3)rNmUgE*7kj3Z-Qlam?yZsIXW{&) zgXpMQq5EdI(AV`ReDMnDm$AzQ^ORP}uQCYA4PRVa;*6D;S}O6|l||bPIpv>+5mYK}0N`EGpu)959fl}ekw^tA>Ho<4wb7L7lD)ot z)Ry$@2EAYcX3$wBR2GFl=DexKLC^J238{J|^>+8hKEmHN3EnMcL4a&ry~Q9@xU-S+ zEc9^cgU6jq*9rYJbsX7vx9R9mFR6gS<95cQa%aXBHYyK~XL0LlXF1P`Itb3)t>g?@ zQA`8;Csl3D1}y;sOnwI&n%zyYk1j&V9;4R=V7-vo4|(+*)0+M94KTZ`WZp0oXwb3I zg%q*M^5{`NaN_~s{LQV);|JXvH}7M>a2ugQQe2*B{ggTwWGW4+5S;ShSWACi9397@ zR07LFDL#`iwo#Y?Vn%6b>?>e7Of+w<+W~gCej3)`qIvZ=+DK^1&7$ z$FMB*2;@Tzh`I+BwFwhRBN0KvKL2`ULU-*;0QgHLRvFgKn}7pRs*tRln!rF@^p=m5zc96 zT}k?mV0Ox_B-Zu5JdR5!roRL5(m&ZTk5xb@${inNi^U*8sPxhn@eRsS-INKe1Ql8S zu5o&;TJ}u`LAJBlj`FJ{qc7ssSv2#2hN4h#0#3k7O*XK#zfkSxTeb5SYBsY2=h3f6 zoWV#wpcq`;zz`?R-YpZ@>nuh92DV1{bGQptZsKTQ{X!INnNRW`?VdC&$q-k;RmOO_ zu7YdL%Hl+)nCKkZB?(c{(y{`EKrZ5i?obTJI%VP~%1<*uJ^gZ2jRr@$_Ki!g{$?H$ zw$M2BG%6zvm{|`lh43N;D?;W=biz2yaEE2`01>_N;<5dAx<$GNz{3MSqhFuDc&!u) zQaS^b!Ui3?aWWc%&M_k{8d}Grftlc8blG!ICz@F0gEcqS0&_{cfMTY^A{e z0(cFHGZyNv>k~FDqqA=YrjwO7l{baYHqJ5EQLSrKclF#Gqm+P2L9s9XI3|dr6XI-# zkBKNATSptJXAz^BtD$AIHk{tA`785vTJr1HF5Q{>*XdwdF+5r?l!2hOv0Phy>1ffr z*g?|SQql;t!0^aeH_iZGHom1lu`gMkc&Ab!I?U*AknPWbZa`bEfCoC^_OWhHw**_8C+xG<*( z$l^o_K}a^B%@4nTH4hjLA`ODwzJamJn4o)8uk-A5CsDX zL<}6x-pCb0lP0JMljwipyG|%l8`O)sr7ZNa_Yy=@`#eHgKlo-`vaaV*z6|GKf(u1S zgkp&o^G#}SGIDQO*Kl@*Z&?>(&4eH8~%qDH58zsg<% zkw^e@`!$`ug(z4yZ5yjuHs~F)8@t4)rP(N-vcLJo_U1wlWVHLb3_!z+1gX1^ByG(M z+M4r!F=l|jm7f4`4g*lzK+YN*<6JTZ81%gKrtT6la zt;Koiqi{oC6J0I82_v1^u5?|cOW|1CGcLBZwCkG82$a#iFBWWw?0alfpyL=_-WY{r zQjh~_aA=IRZ@hMM9#{lSFBF}S)WKUZN!t<48amM0YG(6$ni<*sEdWG1{OmJ{zP*>R z!+;$4805qODHDp(#6oSG$HWJSuUPu-Zj?!fxp%QSac-l+)mjx`;U8;VQ~8z^iB$$n zwC1U(Ml3YOE{y7q&dCB7_;BJc;?WMXPlTd~tMb|_Ww^@OsE+pNZVUn)|1a;yTK*s2 zpQh7!@FFD-$nG2csp3XP8B!YO~s zeu|e^ZQO+B_H}q@%$!h@?XFU!`@8TJg9e_Iwf{@}U%38D{0;eukY4Zf-W*Hl+<+Mg zqwh-Q+zktQB3-6v9iZ(-DvO;*#HIbEc zMCw1((+1y8yZ1KjUcX30pX}a$sXy|PS0};p|5$(D4>iQq9o1eI{0FPZ6{%F<@?4uUDl;e)XQtP?;wsnhrLiS<*-H=^iYqdK;D2lB~HUSAM-^N7UM znp~r~_qKyiqzU|T{yOKv6;4NI)VdvULQ)8z`cn)2yJnPUbwg#<;uOpZecXuwJ&mQY zZUsk-Dd3(dJQ3TVxlYA5`9Js{S*{0Su(GQ9EB_P562#)gf}>g70h*!Mp<*+BQ#Hig zElYK0L0RKR#QTM)PQzwpa^zO)-fN=&SCYrw^Nk^mQ{#>8%?ZNhcrW$J%!E~a42x6K zxD;5X%z3YMWKJ`QeOKvH&EZHl4_K9h(#uw zw=ehxbus~-Y(eilGVwt=?pbobPS_1-ZY4IS@mUD93b>|=oY_v)5UaTx<$Z~Il-I!<6AT7KOx66EX<%|P8X6X^arbyw7I z)a3at1u?3ttMU;SM~2o@K?CXD0y#*GCZ^JVOh>%|PzCQoLC3%uAzFYg@8yT#I0J_G z5bPYS;lTf703bIwlPxsh(p6)K!^zP(o$7h#nqZLN?lt;lW$iWKZTD^^gpd4vP^Qb~ zhW!yRc(Z;uS_|>E+;zF*=yq4C^^2zcRRhNWS8yzJg7nw^yJ+AB$7fM@+(Utb@xmFi z?|_lL0^_qd_G#etZ=*~rW%r(Xg`6dOI*^JsgSZw&jTNcbP;qRO&@>|W$1?u~|M(9q zM1Ct2?>!Xo@b47GmX0C!k&3rcy4712%=UuAnTT!+(DJocyf~A|d5BBwY;sSd#e)Sm7 z=_ySOf?tb*hm6ol`q^=;**U-34h#n1wh${=^w4ctvK; z4ne2iRe1f6`G*1@MC$}hmx?&iQk55)$GCp~^dIxjgNDC84yGnewrV_-x(wj4+w+QB z8hi_Y{=B9c62s){ckvYaxmo5qTU4B^F|BwWmjm#Q*dU6tzC|{(1_y{@|K!Zs3!A>$Xtm(RLLOpE+ojX zeLuSD-qmL&&c0^`udKg(e|u6AYSDXU-402OC*ec)pQg%~iNtyVroC#Q^wVu*Abhd1{}L?6LP(6?n@Gll?!Y@@V?Fp3(!4sk3y#&hW1 zGPbyKT|A#`)j%oV!tADUx?{hJ#vxLBF6u|H6=j zicBAgYnrny7n@Kz!eD6*cCpk-PY+wPCGO2iM{5jQ_4jg^t@cFmh&ep06c2Gh7<10q ziMq{8+3r8fmwdQSprx+yun#jh+0y4eEWm1VeGcjwioCaa$L!Uw6G7bvWpGx!1(^Dx zE-9WRBAT3RzS)BVLeKYW{LVUQ1Lun#aI7D}tUEU3{6&#%cf{WuDTH z_nvo2U9!s;^C;OVFkTP2#mCwvew#}tC>{4caK^CLGq&g2R%l?3VR_DZZ&KR!FrzWjiRzDzEi|YCFlO{iEX8DIF=nU2kG9j{;J&C|z|I07Sw?BY-Gn zhs9{mkod|X@U&EIEvYu2JlWWBYT)O7R512Kj;+w4t99#f*2)_k+jz&XX`4_+)9aoS zJs9yWM+%d1Cm;nHO(BtZtSyqlSSMj1*X&j+;oVYGQ;@-|4%d@b4IAoIprb$jH* zo4eoMjiS0i%?4}SV!z)`aa;@RQ9hl1M1FN^gSz%jvfWq|Grb+JihRCKnFxrS5S0j$ zqGVRyd64A4MD_%bqUlmb&w$0so2pZr_<+d`kwZ#|DJ;vBFGx*;Gc7HyEm`>y#4u^~ z#P^t*D;Y=$LkfVX9ghk?38Y8(8tOP0mxLv|_n4x~VH#++`r1;()>(kJK7pODl3NkqoU-Z1%Y$_FxN@s5 zK^neJd&vwI@+mNJsnQg$aS#yE_j~KiiGMz>ydxE$#PGuva^Iyw#QB9`^lt~b`#!SO zA1=Z8Uyk7dXIOc{o|{S0i0k*BDJ~>GBuQV+pR_w!9zKb4$8(y-IM8+}?d=%F zUQ1J_rNohd&;)b&10j(yZU7KA&3^e#r;=^7g~~tBnay%0L9hIKcQU+`(F{!rTuZZd z7MNp+sKG#o@yYL4W!h1$0z_c~a20aCxz2vuyiCbV3@=8frg?(;DR(VsmZsqn6mQug zmAcdVg`AoyMY(dUC5%(vTvV|&b8toGo#L~h{Ck|@vU`7^u@tO&vUQ^8+ z!y!ZqOrA-7UGw#G%H`FoKtny+?dH$7)qg3o1D;Yoa{!RQ)0Yda@z6=37HAgc9k>EZ z)B3wPf$qJdt43M-paJN`e4i8Xz3%YZx_QNR$}DKgvh&-E$Eics^B=pOqVcCEfm|cz z1O0nYOHpjbOTH^Hu}p!0%K--p6b!7N=Kz&uZeX!#Ti{wjh`$K!p)foFaie;vrS!1! z?r=bWEP>sZ|46Cyr{f?J^Kk3j{{~(#KKH3AH^_XJu)*An6kRC3RtCjU?~mC zhhIv3khQykp6lquL*@DhMErua6pU(~cYM?!B@DKm&$Uu_J~!_np;cbm;@G=0GO-^| zAqxOmH0|9+&$-HP^&odtve;RrU_Vc7*|LI4^XrRsJA#IP5{~;5{p@FfHl} z$9Ve~d<_K(O-28m1VVNWAf^o#?@~Bz=l;$c9Ue)ZqbB=itX327z&YS4mv;BQUBfE8 zeof@n2v)vixY$Oyms;|Uz&+~I_Eh~_Mos=X&g&F>%Ji~Ld&yw;HE0AsR4Q;v;Fy3w zfx5?&8;hdHNs1MVtoDuca*{EHitzzcR^k!ZPFHn)IF|dEb6(1XYLSj^7F~8Je(Oti zvGj3@!W1(Z98J=l0?O)rH-}!C!+&3T{~OJ2v6h$W2u_WBTuMp34qLMSU7TrW=xCdM z?xEK}x%5lZiuWOHp&1%Fkb;v9-{?OYKSzn!fqNBKNd7| z18kV2&G7y~CkCu<@YR8gb{s&vtHvOPo83msXrPJw7A8iQ;DP4!0ueK}49x0F;*Vd+ zae*ov0%|!Z-PC%r-zq)?rFh)3z(!M_BT_3(RvAWvFn#+Slo||^L*pic9C0vYkBINe zl{jLpe2FLBf?n5Z)Dg37hZT(g^3e0J*jiFm5Wqqk42J5=SNbl+*MKbYQT!cIWaEQZ z7vWSLY4R|vc*TtTtnPR-3(0D!#3Bpr?CKTYo-13uYz`RVz%_*Jdv6acIddEk33NsA zyz+3gnPRs-0Et)L|_&5=W@rmcnVD9<3Qv2#*6Y)iREM{KlAe3EsexMHKyWokD$m_t6P%uPj$0?B~RntWyYT2?D`y9y<$6m8>y=suw%F$~_Y?3F~_Dx<# zLH&ED%~<`d6ec=mbv|}tLJt$hP(H_((cCa(Wm5#KK=7Uu(ot!-TVe9nK%35lxzyPSX(7xX_oCjII6*Mt+y#syX;4S0Ez ze>2CYHrMkL%`xzmH?s`xe>D?k1qF{j-d7bs<>877FwW;6skLmC9x~{WVBo%_&*7dy zl%7|hdmFKQ4Pqq?!}Y_oo-wL5c`+-)DoddddK{&hH@{a!qI=~jptYFz7K^|Fd%$fb zOgk7R6t7Q7FGV1Trby&UM=v}SH0=)bEE0P}OeoA6|C3O_DRFuPN?{RD4&B<9i5^F{ zdO5KWv4ezDG;hBzk{5T}e~_fn&}Ab2li393}Pa8eJbrOqqU!4z$3#! z01@j7-Bj&7xL%Y?Dz0o{^iv;DNKPr-!;3chpTGik zb9KA)zkP*E7%ovMir+FyfEjm?2;NOR8u7$Pw0YhI0LKM{nFvTG0FKJ=Bixpd{1ucH z1w5)V2SwZ6Ob5Pnt<6yql`6VTONu9l@geLe4x zEaqe>&X2OFhb5Ha=M@pUhJHFlHOaFl9A}?-P->UwcQ09ckG@55k^&lc{UjIFBuTIc zZEe6}uR?DW_f5b*jfGxmu_*fVo;B#v8nLk;^p5nZnqW7Ymp~wq1aYox)2#K3|Jzu= zR-U5&Fyi<_F=ShVWVsTbJc0G6PHom+b!O}@G(EM%ZFH49y`Ipr z#EE0ROCYPku{^rV`i6%hsQigOffwN*oD~IvqfLt*_#HlZ)PAn}XOLGqQc%2eR6+p0% zCbDLA2^aOdx({{)h)fE7Oi+43&yzn?pN^YJ6K{oH3z(Y0f#oFsKCzJ+z=DJ#iy z7ACCf4-Z-)HSlb2s?gXdXqvM^80fCfp$1UQ0yp&Ti7u5MRSf>^Etqm63;x?%0A9}o z>fAhClXxm@=})fg`{$qD!fh;ovLjG$NLFt~wtD%iFuMdXw(xNW`{rvP`xZzE(8GBQ zHTtMV`KQibP!36_Mh4r=)RNu~n8#~puI-0&LJP)w{Ol;c)sMPmBNxt6_4OJ~X5mQp57n4O)Xvryq z5S0C#m%HdU2R)*ZV8sq~MYNrGR-bt7EblS3f?+YOX(_Ef5at z(;iHYD7?`st-BykNvWiY2Q}YF3oMD#5EvMM z!~7dtzz+WtTgd<7l~u>+&Cx9UH?{y;yVAKTpu4rRMKO$HuOZMR6OS$a#uhe_X*d2; zTF44m*!yAo;U?plhw~|ZagW0>{)FZ0Hx=-6;-P-jpJyx|h<$=HUKg;^8G*A~3tn}VssuU~A4z7Mr~`&N6a)rPDWM(;0!SI$J2^uY^8$K>I(q40GQsk_ zQt<$qHXzHI#0|2eHJ)tf0T-x0aEmj6y?fz2=6$h(&rQ!ytcZFUF-kdpARCO8*(Hi= z3-~}V+%~?fJi77Q4VNG9(UrgCm?b-+9$gII>8jSo$x~_=??V;!Q3wD{!>c{l7w0kM z&?hzBf-dTb@47(rvcTOm%sW%qZ0IY=fLC9DIc{HAi%#{KdcbS4K2Ly81tX;62Eh9F z3_|vZrG?xjoT$5K``^+6VexNi0Zcp)?0RGrmDm1)6w#M|>$H^kq$1({%gv6$zRq|z zLcj3=c(I6mZH1x&3vogFd?Egk2jMiD>>O?g?NYF5L`mU@r3K6b!LEh#_V1vMtC>!z z56#ek|IOsd0aQTW|1fz|1iBfI0qMX+G-?13`{Loes%3f(NByIc2v8dr_yhWTs(?b`q|AO&*z|3Ln!zmOlCOD9O(bgLTOL-ynI z+Uv`!|49B?>iz*ct4Ku$fIc+l3VAT~+Kgp9NBG&gGsa9{);CWROQM<67MjjqKoGLgMnq__ z`Ji?>$Ye#lPT%SGLd>wnk06d{xQ+k|i3G;I`aP{ z+C3;(Z=YShO%HJ*&1k~U-puIw$xY}Ywr}prJJBJ(|0mns6iBJ zg%XrndT3>3{9`5+c#{rVM^xDk1@2qk<0rG|_3eYIhU_+Af6U zs!{)Sv_N&y1|J);brTXp8@(km1P4Fq{@&F(S_Ec;Hsjx1i0;aBP4_`>AX|Z~Di_^i zfZ7CLV_To8UcBhy3{HECEujZSx}qc=(QcZ#gado|7%-UG4*f;{35}o4oxXUau(;iR z@Zqt&_p@6(54zWN9hLd@iAb&F;g39Q^n&`p|KsXEoSKLi@9{f5p@$xNhk$gEu7-{@ z>Ai%G)X+f%Q|M9x(rYME6a*0!5Ha*3Xb?nDK$?hvilT_3_>1>`?lbd!{)5a;c6R5z z=e*7v?(k6d$6_X5|43f+#2_Wo*?(>pfGLyY;U4ARX8!d$1Q0Kxwc;al>@8o2MCiPB zjTDp1l+W;9hA}8)?HMA5=7^fZfm8s`FKysl;Z(I;))*$?+Jwok-4FWs)YlRxj>?@H z;LUnKv#^ub8%|Cg`3NO4fNA4)v52sdbOLoOoP#O*7`?A?6qc^@^%3hIEb;vB4;Qsg z4!n@^PFj=PWPH`JAlP9P16#?y)b<81m_MS%@IcW8K&H>gV7ks-9YD~Vzhd2LgJosb zsfv=k-3{Yu{>^oAiNG$pGwD=>nFv>v{ZS>Il+Fu z0!>cXWqezq4B1K2MIEZ*a{Ue8o%F+DUuD;M`C0Ma+~_ z5{Dk>6uOHI#4v1dU))9pBwcK^G%5dvw>oz{3U|OMy&>8pc;mzKC~2luGw)v(m!8Em zhBcI(xk%C0I)|(%4O_lQg3qxmQQ4%Guxs0O-T zgx+!#Cdh6u759FBY8m3r48}sN#QTHo0-#h`6~EkIWchoXZ+jAQsZixjde`}^${AM zLqL+4LDz;k;Hx!J>KDO|YC^H?2jhz9B`{jMe5>u_lArt&Lxbexn;OM7?tXj&uF zqEp^hinKS^w+X5PFO}%oK&jDzKRx^iQ=dZ;- zqF*$85D-Y{)vmq+4_cr?D`Nd>Sliu}C0%W5EQpxGxJlcn9m}M6Ms>o^`?irc?!@L0 zJZj$Sy4-7XIHxD0SKD(gfO5L_w^1NNJ>TH-%XY5J$*4KS3I_L_H(=Ok5TdZwZI}H9(dtPl5PBL zmqDG{TN0GFN=pWlJK1`EA=q8b+Q3(+?b!CD$9Fs`#-6$=99EpXVJ`NABZi`Lqf=&n z?G^!I`-ShX? zs~%X7T$DLl`>C!qVQ{4@r)mr1LVBHkUR~W;@#B!W^WvIu^YmF-s&&d60S-qv^<)ne znJ1-KV-nM7XruBXJxhmm!KW``gN_~dwyEMH*$vvY{`P5bDE8X#jh9}}SL{wslm^)37HQ`WHkzuAzRH|T zz4Owoy4%DmAvp*6#|YSe2xE^IKENMxp8xtens(dQu0mgoOCQ+qiWht&o6`uIWREbe z6a39-d{G8dvgLdJ0p>p3uUW$7PnzB96q6~?RqB|_;CnbD6*uw&+TLg-L$SK_9?*e} zq?JVO`os&rmu^1;4=ad&87Ta{f$<_T?2pHYa!$g??(X z{-SZMs3|KIln0gN`AZ<@7hK0W;}gBpn%;9vL~@0c`ufG>LnUJ!;ywA%+MiO>d*5fb z>}$_C=Paoz)cS+or4Xa2w!svuAk2wytPCkSKC&k+em0QwswsCbi1ZvBW{ilw{xGE( z9c|K`mlK#ASQMHN0D3cz6nzl-mw2t(sR$>AH{=z*N-z>NIv~ zOpKrVah0Y4;L`xiXI8yB(aP0c^k0YNC_6^wVg0jiqFA?N5>A@Kcsl~` zYNC;iiN9tNqqd@%dU%`|@a=pRtFWP%p^!qyL%T@B)fC608KZBs7DN&B$ zRB)B#PSwII$jMWDeGy-SZg6#ZVsgM?lu21~%Xpc=jw5}({%d?gExCam7I>)Pb8Ray zKr9A`PFrHHcx(z({8D5rZai&RoO2U1)8NT0=eNt<82M92$3Hmma_|KGu%U#=4rlsH zi;OmFl9gjnr#4Og`hWC+_*+#3?aU{QjCG>XI=u;5c~5>!gc7H%Z`$zUQP#r4_gh0jLowXT#k9ywHAg8dT+u+ZJCmXEz|x4P9EE?p0<<-xD`A(I-N7OpubKiP=!bT>;cj-b24M|dtf}>9!O(sdDolw z0ok)tkrhBMYMXT#Uumg2#7riwK7*eitUZUwo<;6x;FU{>1i8HPY$( z+LeaVdQ265{&c$hdO`o|#;`|>DmcdHnAVq>Rq9CQ9>C+7H+|xJ59f{_x>BL$ltFj$ zpo2A3ZtAg{@Q|(*AItz>p595V>xzDGc85&Xdq{3HSGhXS z-s2n7t)fKVzkks*m*$yZnIb_YPBbq8ex+c1>Qbn@WU--G_vFb51o zX=+-j@39-UO%ui4u}@kpXU%m_{xCJ9%QVc0oA`n6`kE1y#H;+n1>HCituJ${UIYIY z$Q6Pbkue$x_)xL)JwjhPcwtkG^(k;Rfe!ZuUs1E4yacJog1nTcaE~IR%@OKkCf5## zE444deC)YSCx&vurb=P^MTLrBAj%)7-%L%be4HLYK3fgpjai$#0W8_?fVfzOn4OiAts(D)bYX32*-5icV)@Kw=s{V+qkj&eBza zbdUe21ftJAzF@jQE<5K@y;sIs6qdYuHCfYj;)imo354N?@{^Cf0eMXgB-}(3nV-|lNot;t;!+62c_q+q1JO9(0!A-s5@5b29KlWq$y*x`JhH z^Vd+SXsR^M5S`KR-Xx)Rd;+c&?jBTL_VwCtL193WB;wg*`x`CCseDw1r$K-TW72J= zBz@ML+pJad6XLLuGDg;0aRwxY;E=nL9ZOb(KK}Hoh*qem<+4KPGWzUvqQ&%^B!q$j zc+PTpk-Cmq9ZXAFSgK^oW9k1V6yOWj@QXXyg=KC1RXP8Jf}3iL&Qz~oNm&ri`B@4T~v36fj=j8Um z%OGU13^i^g0i3G59w>+q#=@tlGji47p8Z$uc+eb6x4h*CcjXN^fj0F!odmk0u*y)4 z1v66t+Z6D*I}7P7gO|xu^IGt~`>Z#@vZ|ZwKM1hhU)kJo%i<1z*@Q#))1hSYL@kn4 zeFtQTPVW8QUHLlIYC6^C(eq#CDq%n_CxJI@?jx*Bt0_-SopKEB)Mef%gY-Izt>$mUf{1FR6Ab$Q3R`1kJ+z&s3z0Xm^;-} zKo1@y=MFpnY#L2w(jrgMc$uG4XYYlxm_17|7oOYh%lojjn0hYNKKEqisnK33U*2c! zz{B`!K;f75t}p*y1v}q9bs>tv@+_aqP|M))$tx?HBi*_99&shZ*-#{sUf~yDbdm=6 zH;gbBkk`X2!Pmk*YbAeH?RfS3&I>we;PU)KwC)ZwdH=tp!D8j~o4$pAqyb==@5evV z;DdXQKt%EfYW0Orv)w0cAD`}CKHQZ)zn5*2C8zP+GV5BYMz2j+`^l70i>oRk`6JiS zWbqT@f_p?gkw^}wZ`FCw=o0mmc*R1orIdYXZjmr~qVP8L;ZYa%=(+qCO(}_QpZ@mVFd*nUW`FYfd*S)d+ql0!y#PPo z{tX1w0c=E#vmF9`DrNEeQ-i4$%I`$6n;-_LDc62Mirxl*KEnhAwis=i7GRpUYYPe{ z#gg1@g|#6Z<6?5^Q43fM6j35~wnScxqtLWS)x9)Qu)}DyNiM6P^e)etV9gfWjhp5s zMZqsy=GPtmxW1fP(3j>a6`g^t5w|l-3Z!3nLtUpx@ z{T-~VJP0#4tQz953B7As+U?Cf#+bmY#x4Q2>|{66{dk7k$gNF{*XuZR1m)%zdH=M! zY(w6nDPEF{QGT6)yci>H#iW>WN;TL08x}tyePh-@gfDb~D5c1HS2kTxZmq%GO4l26 zU9KCz*hlFGi>G^?JCZC7Oja4a{j-61qExB1c%}W+od@N!{dWf!KeztnLNqAcIjP%i zhjP2mDLoSX)~Lv!&`Q=HKwHZga3`;J7>wz$v>lIO=Ddzg_U;NmFPzxnU-x-f-tD`iW@CtZzlZdJz~x(vHc7nh-;|(yDO??or6n!& zEwAAl?ZyOs2kp~E(lmW|L<00zGE7k;DVQ`_aSeCA1V5)TV~}h`Xbf`fhG742w2hEwUIRU+q^~~g`6ERM>EzY@?ky5@ajtY><9CZ)bx)&{X)N$+HvyNYz zi~`M58SyK6i-WKFA%CRYUKmRxb+li2`QiHN@MWw$fPq5@T{YI_I<(p&vH5$xX{xOJr&k^d(B`ZIdo=T{lk&_p78 ze1TV&oDM$%J8dUGwNG4~Bo*Av{XHfH!S;@s-XGRXb!E#xhLWWfTjb%}fb!?=CXj^@ zR=DvoRV-OARqpCKZy$iF>4zTb*F-D*?eu=qp^^(dgAQXGG*;bwr@Jk?DlAHU<^J_% ziD39=FF!lCqv5d!veE&9xa)7&G>tUA%_u~~T&X$!7I6MoQDk3X z#(xobD4-mJhj5LKb=P7%fqHQD0Y08IsR1*t0#0=rDIYIR;Jyk#C<)-jA_f5zhCl|* z3?W%btbUzZlUWTJqJt(g0s#2JoAU28wE=k6DV(56jK91;0uV8*T+}X@4lXqr-WHkx zT>0R+7;_S2@bSC3?RtgJ0K~4}qKwU(9>nK;j50p%`FuUDK7j8o-;=c1dpTh-8(D*; z5>Q$s7cYJoa6lddDq{q%ZgOkuHg^_ZAakZ4uD`3w#RIBwylU-eD1|Q(6Ru8GH<>Rn`?BE zY8KUWhpC7fkHe%2F3B;eX2AH-muIeL=`jng0(@0mXKaeQ8pO{^$qB8#JmIndijEuj zC{~E^d&)Hu%UZnpcu~CjG0LTKHH_E}qaa#)P)Dy($a=>hb^ZgzBS15ON##h;& z-8PN|3+~CLbLPgfTH zFm<5%?Q!uhe75)21|J#8gDB2fhb47Brm4OPy$gSnyXwwT_XtMEHXh|S*_?wum>azT zL+S~Gyo~_jX+u{&+Zlnpx=XJUvSbIwi|yVYtaF#*pxnF;~7eUn-rOVLEwG_QYp_ihm>c{<_?QPA(yTHu*QCLe?*dyrPASUsqFX zTo-8RTM=xmN#2l-RlWmYt`3*s0wkkKctw+;BAx35XsG7!I~; zbJ^g3!#2*EXdv>-dh7}_m|s|R6)>!)j7%WHyX( z!R4-%^&b1uQrK0u?wQT{+Sd!}sP4ycf<*yDp4y*a?uVr#r-bXXVg-U5Mp4<$XM=6s zmhDvobYFh1AC0oa5i;EYk=t%Y!VCn~;-`{Q7B370DXCD9JC?De6m%{cuTYk>+Gm3z zbn-27Dgwl`?3FoquYM95P+#sZpn%vH_O>Dp;=wY_zxwa@uU?MmhO<%(4my<4l6c3i zplyw7d6duUyH`Hag*BhQIkM$-^ZNVvbb1Eh1Etby(L%ty}ID#G7eS`v@= z4vzLQx%IiGpI$O8{FF^K zW=jk51+7J&i})1}+RX(nh@u>DhW$UUe_xBhe+vkl=4tVZz$$sfcV!Hi~eQ+8{_-qw^}3XKTUqm_MX}K)6^1t z5-s>e=to-)ComYFCio$3;n^|%XSQ#l3w-037;mA8;xw*?w z%ic@f$&~}7v43Ougve@qBPoc3(>vbIt3wx-CzlhNx2zd22UMX4tQzzy^3H{3AZ>dGUq=1nZm}nzRqB_VRl4&zZ5;5ovd180<5ehL<#!U40 zGrk->YL?#>nBDfH!dRu@{FA3@s0#XIfu?$)CeGfB9_$)^(`Fkj5-pD@m(a56#^jF8{q5z_Hxdnklg2?t4#4TXXS0_Zt6A~R0 z{_dlwjthReAQ_x7heXYZxt3;4S67O!W{BX>lUcQ}-)d(<4FryjMZotPH`^jAEm0Cw z!AwN_F1WR!LcA0pYJEzG0)_dADrA5^ai9fg1b6b7JD^++#j1!i{8a~PcH?EjsEWBU|cQ6n2&(sxNCht>h>!V80;MmneUM`Nabr&#C>&_70jESoLdhewKj>wV#z zF5|K+gIGRqohZMm14o@78Ry~~6#sENp?Y=NQou}YiDq&7R=xWq?wf)L=`J71ER5M| zu^SK{eWz8P7_@qOdr8rVD>qM+BOhBpROPq#D0eM|Ut||IX?mBc3 z^I6I)BxiPp>-?~!LN@`1Y93X#=vJAsW;tV){;17*cY4K8F+%Qs25C~?qwf?YE%+Ol zvwKL13c}nwV`T&Mq(cq(XY+gvYezZtvjoBEOik*{{MwwzyW63=8G+P-mE%>y<|LFf94W$>e8kk3ZIsA0LC~pY1*|r^p*cDXra){c|QwL0l3xT56(0n}x4x`>_ScD7ra!YPYD1V2g#iKka33f2*On`;24@WAGR-GV{t)Ogg01sR z*Gcmk3lhwdoAp!HSc3pVDXGj0Y*-k?u&2vFUL^_!$q=Sa$+_^jLGvEjLl_X+g4U3T zs^?SW7qTB;5=tlF3e#flQ%WqeN}5aoQe1(LjV?`F$lz%YZ%;tDr)k5ET1j>lBlF!l z(~+oGOi~7_U85EPa}6G^(iR)Tvud&gbQ2YH1y0GW_7Oo{M21pbdCeY$NeFBe6i590p)b6p?sX7dYi#w&fLg4g<=QsEPAd!&HPi) zg(|%eyisb#t0)-n4Y>`y$@QmlHm?+|;M=_>xMUxNdaoXlE&YXXCZ`&5Cv?@%2GH z8NpgmTDj?b_T3ag4)~a6cZy-M(jyvPufnfj%JBFPwKoRLu>Xb~PeOlpF1VSE_PF@H z=taTDsc!Qr-y}zs5skw` zv>q^DjCH+ZrZcK@bcS?gknh?!LE|6K0H2Odcf|nlt^aI>PYWk*f;6ZGqL=cNG+^X4 zmGL4k$?L~WJNpI~(Y+V$t-P0iiWs0Ef0ID!ltsHK$8z^o@Hx=)F#7TNqNe9+x&Jvv zYmd5@vvoHsm>Mfm**68o!Q7&ox|mHv$4$eu?9}`kr0^V@l=o@K%9W4cHlb8*D;W#7 z8r$*I@(#k=j5BseLsAsUr-%QXw=?J{~;C<2^g2zH?@?oGlmc)+= zBB%olVeH|P9u2(;gBu=KxK}be`mZ1$THUMSM}9sNshUBmp7|z4$mW$HdcN;}Vnc%e z|06cgUb0gOs?E^Pr9cfD^oc`?PBU;)c?*Twd5YSpQ*?**znD!O@!otPLxpo}xBgWI z=_KG~oZaD6XpFSwbn2tXIBR%@mu8wZ!o!%w&I5%DR2il*RlmRdAn;o8ZclND?<&}L zA@$J~>CrsCf1W<3lt#7kRoC3s-6op~_gNV@T_go@(p&-SuQ98Bbi5`4Usg5Cy-I`c zit}wE4Xv8I#49}OJo>ooYOXmG7? zM(tKu!>5nl)z61>bPzWI>f``W2l4I@h{HMM0X4O4B{=3VIAHWs=Q(2A{HGmHckKss z;syZ6S$B<+PC19XYBQEzfatvm>{;18TG{O@{`~83_qad8cRPeC9XeE8qakQtyQh}% z0OW>yXrl}gxf`TJgy}4Rh?AihU4|;M37Xw7k5;6Kg@cgk^fu%^5#r2~9=-q;Q3hUI zO{4$jMaKuO&R-6eE4~CD+#-83Es)Z&h5LD_V`K9zE;-*&sLMT5iPY_Rnf1pZmAK zzqd%*G=OG$^vSvHAy!-iRQLRM5-2_8?jwLCITUl~mvOVwW@{$pY%ghgKXera5(OYS zi2Fq4%9+X+?CJlU2igMr_{*pud{s38X8L@5JIt0h!%ic1Wh>G@cO&X#r>hw+u0gjQ zAl#I%osEE)(TAPF#sr>iKP;)$bLorc5|;N6`yh~H_^EXrwW#(t^cLE*o3t}Gt_$g%n^I3+nyz&M9!2ao5;%-TB~hn#i6 z|KmI)h$?xP1tfqkmI8R*fBT0#Aijs;NQ$EQG|YFwhhGGmzSzMR<%^$J7=gt;lNk5& zY&t;D=I^a50iGs_;teCk&$mLYHgMO7Wo$pn;d>P|iRy?{Ya~=DFfi~hFbE#hQ+*hc z7ZG+bI?UzIS8-TvnJModk(mNQ0FE+!n&dQTeoSFs(a*zI$b_ z1n}iSunDH3IpF#kjw9A}; znCk(WN*rmS6ox%y*;~AoxR#p&4t}Er7S{nfh3B@SP>Syoe5uc{Xhtp?Nxu^m7KC5g zI{rWW0g=D#nK~4IbqJn;y3NRyp=XUHIKY^A)KD9y*(eyjw8J4enhBD$Kq{*+UMFI5 zg(X{jJFN<2CKftm`9AnJfO$Nh#RS}Iv<&1A4c=Zn$V`)otwvf(o6U7c()NFMgEq!y zMJ%r^joWSP+~I$eus3a zj!K>24!-)wnE^Wj;o&p|C6ZsOwJRg+yD8&o`X-7BkI}1Z z^EPXT*i}rS*AwOlE@NdEDDNc}v;D-HPFH>oE12n-m7!6hGt(HQCf#h!2UZJxlm2vE z5O(yq`O@)`=6E{EC&_`wIpli^k1Kx%_nh0$p46J;P!yT$i3e`+W)c6ari0SN8l6Rl zOh<;ZX?~#Lu#@5sczr<({euN}4X_r@jRw>W2`?YvM+ACR_BU@_Hf@3Dx&{r59nPJpQ z;yyz#x-RVjRNUrbiVqib2a+*{x6#^qMUa!v;C5uayd&$($q$});rD4?OOGNn52Wv~ zORak(y!+0Za}BDFlHA%WTkwg}H45<*y-F{vFAnGD+^w=%lpv$K>%lsZqk~a_>b-$n z7MraoX0W|=_ zMb`pPD7%aHL5T$E-VUq79;khNp0L!1hKmE(NIUS?krYP8@bZ^UVY=I^%~H2xi&HOB zifV2NgpbRKT-=ip&%9E#U6NIb#y-76{wDWwRGJ59s5s(C0=;lOI$F$g?IsQ0Usp58 z(7duO_WI@WeB$+) zCDAl?o+QQ@;mfH4;X$=bpJRk?pDp9!x;AlS@}e(=87F#i_3P{n}#9UiDL9()f$xZhF7&4S#Anm#u65Amc~P-4_K$p^VQk(%u% ze8@=A$734nSUpqL#ce8PUOhBl0qnL}a9!tfw+e9~p8WA0v-N`QWF&6rse0w~;(4Tg zqy|@D9J1CM|3updB98l% z997DgV+J7tMBDf|7e*y210~ z9Wxpa5Evy|A)F`*507qr6QU z*Wg+_E5gV&L)G%qY1#T>znMXlf{m?7z(XCCdq-Q%HmbJu*HsZd2x)U(f$`HBHlke(Ji7 zF|%G5Rzl&4t{v<-@AwJ7=C=jV*+AC#X5Q$nSL*MFS*(siW|w!i$k&GfEUcmgZh#5K zOi)=SMVmpNlTi<$+8Jr6Vhp`bocJ5s83q2@@b26KZ$CDxP-DB)!7PLRrlwl-C;@cg zf@ANE2etuhu{X_qwM)uo?f?=emZzKVKJqT508Om{?AH^AFBY4gWX2(=kS@Jk6Z?Ap zai1N?oi91z9VFoL6hFAN5gw9yQY>oIz-0`+UcF#)UmR{Zo>}x;m?MAJ zI^~XuGSw^_X|3;x!Lnhn`V!5w8}eMWAKQ?#RPi;J29svYl z!0}tIfL_NjfC&!6p=Oo}xCiVC$5wKt#1a(qZi6XT$V zfDx1yT5G_WNgGT0^}BvHdHCMKm)u#ho%x(c4ZjI)S^e@Q5Dq|MEcVsuX7%f1xD=xQ z;u}&|*v%(%67#JKyNfcxEH?FSa$IW>yygV zXrtPNujj(L*cg3!VUWt>+;@-b`NNw>aFcfxH7aLVg{dlL`cUIGD@f!|i1Pp>`~!dqD{R;YPN22tlO)MOc9 zc=rb`Sd*{5F{PwshJ9xsrlBI=Gjh*8j*JDS4IFJB{q(h{0^;i)JfS@jx4yk8k z3KR~hlMOWR3{QL9?V8lD@%J?xVE#(_u8c|?|(C}gb< zF%-_>s~Zy&e=WJ5&47tO(>HU(;RV8R3Vf_IcfL6g7y}TmT-|lSuxOH0w^LN7uq=%L zky3rxItp|6rm;9iQWMb6g$I@zGEO-`k4T|<0QOHHvu|}Aa^4FJr55MRu9a4x1tp+@ zM&iozRf{gR^bd;we8cjyEknn?#}!@;9=x#CGoLtQGdGuF>-p9}8teLRGx1h`0Mg$E zm}!8&m)`uf;c;*`g7pF9=IgMFKv(~K zFHkT+bjLxD&wfBB0mKsOV;r1nxkrSdhn~A&?%pRnFI#81C2sPJqN3&|+(B@ogGI`f zS!;EQCw1nN4Hj90J&O%CxVM(7JQoieE=n80MLniz8^;p)i1A8V2A8U{*zJ79Ix*@)LYke3UHz*A*KiDER2?c1n=jFKUyca6q`!SqV?vja@gbDmXobg^h#w`lx81fB>HDXKfcAOOjMj z1W-zVk0`~V%TH<2ug9|Rn&}$X%BJNfNkSr69cutPAvC8y+tQrds$AOA{@R$;zifF{ z%6^^bFdB5sEu#nlX2XE2ZG!_I1d(rgU<_4DTad#-#>*ZmunEL=;R`&OnaA}cm_Z`M zCUp#@d2z!%E7SdQ<=CZH#gl^YUVYy6R3|V-hyKX0=XMgf6_03S3))|u#FO~%t3I&n4Npr8g@JXm*U*cyPx8`xU! zq`L+$zSBbq5(f1RqfnJi=j6}yI=8q&MqW1?mEJOs4h zHW(vJ+4J`xsBB)6<3RU{Q)85aH2Okh4FOE91+@V|X`gQQe+p>;v{re8HIaMNTmwSv z3C7kwoo;#eV5yvIG+D3zcvto+`!rBgY^#eDfs|V1ZZ~3by^gb6!70a%WJFgHWmn;v)? z>OW)!C9hCm%>XP4z`6JAWx3Bp05ooE08Ga?;(oEExe$hwmp5Fx9<|BZ^y_1I)Q-RoExK~Y2%$KlzW4Uy9Pc-x7=$R) zEQ|J|f+4r$`>0<}Fieoq$^U;@1AJSh?y?nK*1)@+6of|>zQ5B$&~wz|c3z+P|Ir$I zifGJ7kS2-Iy?FnZ5z{6i4fRG^5Fwk7d~tzJYhbRGi&u-|RSorHk8&QtxTTy^LxRy< z2O(C6yN8aEwrca~qaV3%1ZBefg`FY46y@VuBYqQWS$iV-%Er03$q2NYo&`kEDKt(J z^44~UMLFUhu^}&sMhpNrmH$I*V9+gl?JGo%)`6$2gW}_R0^b%ix(yT%CStu(x5VlI zlH$ix7=>;y!?h?rdHVe|I47zny+Dv))<<9^W%=DcCUAisQYRnau}7&We$@_7Jr+%+ z>bknqO8}uM$Cz8roUiaF!M}D7ZSTI;4`##cNVB&dh1)JdrK}xIkgE#6zOooq5~B7L z1paO{gN%<46^`$ytOl1E&V4R%8D7hxvY-rDet9DPr))4bW7uIquzf0664$PX6F&fw$op7pu) z4#$7W251X(`_KJv3SIw{4fdvW@G4mHY8$(zyNXUQ_g^(@jRQ?<{L2tqG8FSv72H1H#n<(JBc%}e}MTfo!l7Ma|kzosHPaGsPdcsoD=su5ky@j3_V6jsYMD0 zHFE;)huZrF7b9emGqm(mL1KtC~kVLWA5Jca8dA~59rZ3CMKWqb#5;I^{qyDt< zu)XteS8pps0)wDq8}1mNxj14>MEK{!`T*;Qw=O(Rg&D5Fu$eHpWNd88fSr;&`P7f7 z+XVX>V1Y!UhIzcrnh~qkJ4ZVn^~;5*EU_129z{;6Dw;zHH-5OjI?bjA($g3ek0G>= z>+vd&fCWuiegnjhzb74F*b@NyY(TLiOh6D2Z3uD|Q7S1Vt6#wY&6{py|k5nVc zz5#BoH?b7d$*Q%>;-PZmgA=Ozm#%AWbsmCBy8|Ua95i(fG8w%YclrnB^y!1cDgTm>zRuhbZn^~3zn+rX4R9RRyeftvv;Xgwy1 z%XyvuavOSe*A1%Snv6@Z8B>N_9Km1UYAu++Vlhp(He`Pcnvw?UH?S-)^v8U?yKQRb z_3A3CUq`{W8HYt>Cx`#f+CYys>)>1Ls4eG%<*2$5fwVV_p|*V=ZImQze`o@@hRN{6 zJ2iOzP&_|#QakVC_G9hk;rkM;{_L&q?)&OIusas6i&FZg4}ef@Jd%_aK=V)71)+F_ zz8Up}K^+T>hM|F)--*7`f(9R1uRA`mn?#rK-aY;wywOXCHy|n`4;g0U5I>&&e>=nG zeudqc$XiI|`Ey(Z=?i3@2y|z7z@yCz0RB(i0G5jrk$wC1H|n7K)g$$wr2`;IVZZ%# zjopjR(bLMpa~L_}!D1y0f(z6R8JxZO>*=Gba^I+}5geL=f2oY2YIz1~B_4StL3!~Q zJ27Fk~B;p&M3&eYyuB)hv4p&P1PRWepZ2$o3yrjmL+ zF$_UZxk!$f0w1TW*Au1)T(sohL3%lRMI9A1;)ukd;~O_xrR7;{_B1C8|8H`4x}TcbVOOscI7V)a#(!{v2h+X(SbuA`-ZmSkC zBQ00l?NpCKo5o!J1%woXZx*GVO|pNSL>vO>Z~&3(T5vpdBltVx`izvjCFG(|8nPyH=EE^Y#`fKzt~t+RIqG)anxj) zH%ucSAw?jrdvORNap$xTBj~|eIEddF9n|+_>eOcnmuG@rF>eB{o&5-ll5S8;cJ{pi zSC?f-QBN6POLLCv)kh*KJBut2XP zb&`0C2Sag7V^x-dvRJEp0XPns*%)c5f2d2dc}F%#70I}Cy;PCax)BCv#!6&rBN0Fj z(_h-HPf6?*ww*E(AxElX=zA9T6nX^TuY#VT6*gw=?WU*ZJ;5$H0trC}`JuEg-fUb; zdSU`x*tDPim?efT=J@b{PgU^`4#ZgFL`7G7nX*M|D`1HIfnpuXYc8>i6XO`D78b9U ztJsTs&Tf*0f~5&3#%pPgu&p>SK{0igcGbi8eYc!n;?LMwy$oO;XMwlfy5nls?e zbrCroW3by?XGOzg)-KK`;Ii}<2Do{tgG;(=V3;Y5vl^2woaV>kg`8RNsqS0piU%yAQtxDn`*Gpj)1hA=qvq3JsR>|{Y{2D3oMU}Z@!5|9Q$l$Q zV4Z~lp-2lQfrxKF?HFjn{lHTtC-*m| z!2g)Qh(O5|7T!WM@f#}jVTkZ35R-KCs%$>}1n!K4YduQvzWWSQCM0d7g`yCn-U_}USb)0sj(<*t$yAX?-qOm#FfhJxMK zzXBhvz5@-W4nESf0#{gE0MS(`7ZilK39T;>UP^@2t#kR_zOL@_quo>x3yh`Uea5w( zp|$T;UL@I|0{bU8RW$c^&u$+772!MaiHg~=I7i(Obxc-bThLKe zQnaspGYJHGtw~|H-OM1Us_53gBA{4@;=Ju+B|%iE^iMp+uqG_p*(g-8>&{`#B=+o{ z(6pe72-dLddR%?iHf0~im7)!omwp=ol}O_V7YfQ&O7bq6)flr?7pJm2!8`VqQ#tI4 zzZ68iZ{3y|$(hZvNiujCmX{1aVFTYpla}-U564gdcz~h*fn&(I^pU_JtUe8;(WEIK zP>?xGzf`}Ce+}fPnrv#y&wo?`Flw zMrR9UrJxq8+J-rjc5a?Os~c>1z^2sO*_0s-V6yHO-Sl6<5-S=JmKp;`E{$t-o-;9@ zrdgV9;bB~_FYftH=kgUu8+@#LhC971~YBzRruzU5Rd-+42@`Cp<9e>B;)Mt|6# zB4Mo&D~)ew%5$@f%&D5hr@xwiq^|Vo?Fg~a;=tIk@-%rR**xP+mtEp9VX@^O$+E4MqRPZp}aRVZs&9rJwiLtBb4vV=EhdyR*YHPapCV- z+jJLb?&1K_TW0ZV*VwI?dGNOBn%_*G^Lml4yzcQTL*w0(;ehMUJGm@f*-l~=EVkWQ z1A~vzVCilydTln85&I~;-r2S`?N!t5{Q@U7yb+7}Eb5Wj%bMib(9Mtu;qaXy_Jh*E zNDC3A(1Zh!(r=et(DjISz6WK|Zs5#ECrsU2*buS0as_4lQdz+P)RrZnJB}fR(Z(~L z+1fOFzckCm(T6iZ>1Xwki3W-V$Uv;MS;bZ||*vj;h|s zyl%^6Ke}#}ou;Sua>GfCCBJn++{6FMHl_e1EoWTncsFPHkPzU|JWDj}1dp;T^0HUn zy3Xzbz8U79@k02~?;jF%gOR<+y2sMtjEALnBehUY1uD~&)fEK!GPPu3d$HWWit{&7 zpRpg}3QEkk0ksvOl%92LoR_&-F`jOX`aLmqg(d@UY)dk`u{y`|FeVq|!)fsw`}86% zz6$v|T9-{7S7m}ezeqz9CWQ;r+(tWF98#yKPxQH4*me>IP~!FFsVyanS*j%1CacKH z>}<1-TV;FF|2!-N+;mQSbC1&DWGL|Hatj-(8kwAPbhFRAs{ z`6Oc^RmqFANd=BKGPkSFw0NJp#5FmV(-n#$Ujhh*{0*+zYwja*maa1&vna&;Z!nry zic-c=e0CXoU2-LHs`XoaCMftYmiZS3Dq%YWjvzd)psBfXx6bT=QwrBV{R$J4A@w(S zFSDQ0`KVTgT4XMm=QH9=S)&Fr%8O$QxkV$JPA z^^eQ73q6_Vu(64s2)c$N1D#^`d@g@A(5;vlnCrlhV;mvDd*vXs zRWjgV_0bIog%J|Kc!rhNpVSil<}D)g<}CeVP*nkdU=cq15Q7pD2c>TsOG<^*+mhBk z6dWh$^~yI`)OD^@8ZSWB9gCRfQ&A~d;6t=cjBji zxXNP}k3-dNAwv9Ui&M>QxG2KyDSdqF^mK0XICBb#D15JPe2NHQte;=IZ~ExjcPX2F zF_TtUSeUE&kYiNsR69>W1(#`~D0?9IdLg2B!2*fshGx=StoupC_)!18&7@#95yjSA z6ESxS?mqhAIrigm3FzD``ES%xU4SA78z5{{!_@Gu|i^JZz<~Hv|~^u$X*R zENt1xtNYqdZ=^Q&gsXGUi~QLSax;*(g%zt6+96QMhAucl@7R9vH9&u5bhz66#ty~)nR89C&mt-SvSV2ow? z4%3&)^Wbg8#D-hkVC&Y%qWS8*kI|J*pv&{p*>W`Y`p=c9Ut#sDEun+Sj>l2B$7+X& zJ4yHKpnlsqYIxbU=Q*`sm`oFU1=l|QG@|U}e{dQ%z#b<(+v7do()6c?;)1J(AYj@4G&(X3I?a!afw@RL8*GL{`}#-b0$F_{6NLil~{a!?dzW}4<@?b zishAk?VdQHdczdQ?P9rh?ao)Tpy+AppMIK#ufAOzhzlC~EinI>|3^B`GsHVy!R^FS{XWd>xx0b*d(B}jjj}ig<5Q{Y z-WYfdM)MqcAK=^K4OmA+eNv)f^z?XM8`XOdH9&TS&o+rSDT;WvigKI~9aDuPXoub* zyFX7Bo2#Ep)J>KPzkREkMmHmV{+X8X$`vvJuvC6~2|2!Ruqza02loLxXZ4i|0vS*g_T7?<(rY z%CONYs$||g4!$PuNu)CJ9WfhyIE zmwvbEg1A`HICHIB*zUQrNfQ&@ikXyDZG6;UCU{y9ePL|wvexd6WH!ypa2O#V$_L?I z>3av9!K0saD=ey1DMTkU=`fsWEDOH)GW07UQ$8tk=4Iw-cygY8tnCM!=!Hj{aF#6~ zrHGmGTu25cAj9Mx7~>u8XD8M!`Vi%rDj*_987%khSv)JmU!ce8mQ}W+kikYmny8pm z?6{Eh6uG>Imh8`a*9$O~_h>WTV~!FMuWkT4Ut%$ZA=-8s&t4XtDuo;+W!Ra*uP5b2 zx!o2aH(F4>@24DVzfqj0BIAV&ePn9~`2f^d&-1b??o;LYEh9VV8|SYo)}F*`YMVM? zP%y6<-b;zbv94&lD;ZB)Eq3i`x>2c4U z3TBcKF6@c24im002q~@)(XsO|rYp8*)wyGnxgrw#t2=MaJJYT{57ZDkc>toRjjam2 z6Ny7#uS?NUk^NaA>nBD!bPeiEQl0gUFC9r;qVWHuP&oiK85+}^U{ji{Gf>jg;yh8< z(N$VjDXaG`gCAmY`N+c8xwi@*pZGrhC6=Vgo>43o@+cyy!4$mk40n2nGpo;R^QB%U ztASF+1{9QUOqA~I=Ey8A{0COT+a#LCki;I2~)my)W;1T6S;rjq@SOrH3ATsmfA_Gc!zb1v6 zDh1liLGH8`I)9+-)LTNi5w`y<HBdT`rH$)9eP){so0bA2b^eMSgsmoz?PC zJfo;M!x#_$VORqwXf@%e`4yS>Gb!2OC-<#AG|AT~*T+}5;K^$74@R`L+%H*p-$x4Zq*8%(!JfW^18eY7Nw(LRoj%PKlXMJ4a`H2z(WLMloq%x|vD3((epgj*7wANN6EdMQM}RyH;U>#+wAo%Xl?mW4ULS(-+@q?0z3LTp)*OJzH^7Z ztGQjo^TCXV_9vdf0O@aE5GGcu-R?c2KfwLb`=4i;65|Pf6sq1_4satC@6$OZylPe} zs+&21Tc3^UJIebYN3ip`aOk zE(sIjrA^w-a9T{hiS&CnbFC`z8@?HKxe$c;*7Unesd_k);e%#13$cxpTmd@s^owoYzO`Ibt`;2yG zFZ08U!Obs0i};Fc73T_Ta@Ka6~j?V z9&$e>{C-SZQbn@2o`9nu(tUaL_bvBs|M|`3t#NWUq!K`}NOq!j!2_Er3LMso=bg>iD< zz#@#R4<>u(KAM*CQ?!?!4D2bIoa#w~ZA=7rDqhs@KJiZs3snTtA|jUCI^w9U%tku_ z=5dEPhk|_G>jhBp!{n0ZUwB7jAZLcq&7o2shoI;whyHAuLZz)dI)08U|6g|pLi4Km z(G~#(q2CRm+GtVFx$@>tjlJP zlnzEt%zR8uU{armd^Vm`yB>XY?cSuZh0^jgP@N}nFFlfb+d<9I^td@^3P6=jsLM7a z2WL_BU={+iMlXyKMkCe4@(o7*q-&tHE`beT{eV5)Ig!OubH|vW3~vt1PPDsUgNEaCZEwEU^5ZwwaI-Ij!UY@=6a{R%%SfQwcgGyq%r%ul2mJcNXFW{@d4YiSknPx1e zM89S4+kJRr3luQ8P(BCv?YL>|zu6u`4wME1XiqlqM@Yhg}-_l5L^CZ2f|U${e9KzVu{`Hb|e?pS(4QCYL*TJ8}g~{&vL@^W!hEga1)R{MXpI zaDXv>+5Btl5cV)^@ELUZ{kzmWgPFWvs(T&F`y3BUu4IWUym4B)@DC{NDM9xpgNgdWPIhq07nMh`rg^aQl0yE2Y-0?#+Y@U!?6#2 z`KFWQi@$?>JXMjYiyIRQqqAk)@<&jM2Wy^GAHiDn)RXm%MilWQoTEf-`H11+&0Kp$ z=vuR#dIjKBvY*IRuLbLhN+cEmizK695LOw&!dRuFyLXaC_8278yo1}^46=kxLLo)s z%vF}+7L^7+P3JC*;~kumR8Mbol-yo=Kh2!$W5%TY5LA;LTn`sd{B2T$OQ~;f#{v-@ zCk+z(EL<~>T*5beYrO^8u(VTqh9W$@pO+Va_%wdpqMp~G@i~og-sLpSSY`?f5RlFyQcys{eN99({gOP_tH1$=NC+h52&o$nmdGe)K>L(@7z*io5!eRI1V7@gq%Z3RI zn{xcpBJW)KQbzU1_!J5`S@{ ptx^+*M+?l(t4kA*$(UD1+ehZ5^qrWQ#ks$W+QR zq}00?C?w!}(pi=i2%`D;u^-#^66pIPwy`ZAKtyCXhZTu6o8s~JO>A;!&xq9k6)h&Nte?(E+zuMus(#CQ#vDz$fTt%W@^9v?TK#R2p`2r-1ev#rq=XG>Wu+ zI%T+@bhkrBqh-FMq5xO1-KZuO=>|y~p9wxz>?ps=7&Ebq(GL>`;pJ}R@3o|r?E%!kNsB2xU&W5z{D;*9w254$qzl8bbb@ zCfjSZe;*BUp)3$q5ST;`%}_MF)8-D6!njR5ZpH~5?L=V#5DX`j`1*|whPdM}}z zNIr_F5nYli6Q8rXD?tEInEMkT#JRDERnd4DI}^b#K{-0jf~m};l?1xc?Z)lBSxgJ) zu7D$_#@?fmlw3_1N$sR<790>|pzY4JdoimL#MJjPp4_UD>S3~JLOT7@VnVkCvKa$Y z;I&Q&f3Dz0mr6Wu>IM`C+C!6u zSO@jT{jAN>54fs0CMd>(%TD2o>sShLx*V4Ku56BYt++*?{@|Y*RF*Cnn)RJz{r3dM z1Z~9buhU#1NGw&xbjqG!A~djDfYnMRjt7H}W7fwoRU<&-`FMg>7MiLb@uE;O$gr|G zJFnVp%hAVfCY)_Z=f2NFP>^-({MoWz^-rPYBsL@GZ*_%3Of1lG?C8sN;mGcvSjI>C zSC3T9QdT;=tUGVt^mBW0|NX2m=PTd2)_mrs4@@6ziZB!f1hWih5v2+`G%Ni%g(mT}cnBlUVv?*ZIJ{d>B}i)NYcFp|6~qgU!o<4t~p zYQ$DE^sdQeTeNr7Xs5Eb-YgNgyS_-N@<~e?<${?nW$- zRzO^_h)Jb|;jwrpug23zBlKshHZ`55fYo06KjNWFhB{9J!b)FVjU^9ou>h@nYUb%i zQ6m%pFf_Oo2*J^CF&juC=_&fIm@(#!A*nOVp?`9^W8Bg6AvJ>8(}#t+y0c#0_ASKQ*d0-!j1k75gFnur1? zWsK7-XJPgseBw#Y;3*dh0{VoqyF77HrwM5&)>O@L>_T>Lx&0O%E7(Psn!~d*{D5Ty zru2G;`mvy3RShO_3;=MbW9w3r(&VuR1J=$kpj>NyXyl3a!BlsWfyM1Q3IA$=9T?0! zMEao)A90*73aB)W!f%7!OG9edv;LD20&;en(-y$lr?EY3I9dnuoR4 zoLy*%!=61%pj9YjBG_tH33egH5p3>jEl(i|31IO(%mceDl)`VLYe?c9TXmnqp*}MI zCo)(iA%F~q+Mk34bgxI`cXd3;NrF+*y{7O{8TMO5qc=2K^&eaFq!n=NZfYAtWdL%) z7RDadPu14i^A$tfug)E9{+cxIdcxKz?qoFC_HyvK6Km)@ir~fJy9RATD0U1D_aO$S zB|1cxfOzk7Ffprra!9EWLEeO#x~uE*y%M_01OTm$y?wd~-pJot&d8TAs%?IQ~r z>QouPe12c1O=ent`PMrfyoiVqIo|qmpf~vQ=lm?2O)uG(#5b4B3vs;nUMJfec277{ zM@)SgTwU?#^d0V>iRx62h`n|gt0ISuVuK0W#eZi=#K;W{FNt!K%i92YUvl$v*D0rA6X=0&z`Mr8_eSkeY)_r`PfQq;jyl;p$bfnw^deKII2kh45c zay!mZ3-|iu`HA}QmwSM(Hxgc=F#_S54*J(cjjoFs5eE})R6e*jnBvZ#RyFuOrGb}l z{kJ<#!nX5ws>VMzwEkRP7pv?C3L?L50#$nfYCV7`T*7gWoF+2yno$a%f}m24kVIgp z3UN0IL9#PIuw6ARvR9N1NO#t1utOT1rXvJu({elu>{Bx+2k{@q@1tga*h%V^AcQ zVf&=-l}bK;#Gr5P^)xE2!=OrD+fE5KEqWO(`CJVJqmh4N6{m9)b2xhh!9B{Vv}&?g zQg*!ooA78I9Ewa-xzJ+l0BUYSLKhPPh%#8OZ3uRcaLoYh60WTee{R5+T9E~m3a8Y2 zt({J<9L5IV%)*M>!p!>dmdAZ9r<2!jjb&J7T))(BO$FLfXxdCZLW<(Z!f}G(xT2<5 zLHv|j(o`uNs$@GXayIpx3iLcDTYzoa3qD9ELEyIMm18qH!hbuefLbaUPEi5 z&oIbO@!sBaaCK#N)JUs#yG<r@u3H*Hr7)#=&H&uLp3A1Sn|Tt-guo(i5>C3G~xyYLLe7O}Ca-=E+Z3 z$!C%yZ*&F|tmqQF@Yt(#WYHRQC{k8p3X0SuYeWdrbYu=UFyT#66AmDGb)&daNf#gJ z_zIM^Qr^)N|Cbn=G>Y3*&v|X+`*Sv}^)2b5x{Dsj>{~|eb&TMwk zTsvw0crng2mW^(S$~LVCfTgoFW708Wi#PMe1E^%I*jE9idj@2O)Ro6(-1|!+5e&Rg znzxH)+lyvH9~CgSZfab#jZs-2dYB*P&L3&7q2YRp9sPJoRjEh9_3cmiqdIvBkehWF zwY@m1asi)7EoM=u-iB)MqC^~fIo7wgR6a}TYE}zoQs^Qs@U%642jqf(ImMyOzZef8 z*68aj#zS8elBrV>Reg?MQ?SFnzZ3gk=2BYY-ME7to<%;|IH##WZi zb43oCm8Dj*aSYk_84&RdzV%j)SLfrNrkj=M`ryZ1{%E=@uDSggmn}6sTDh(e*RMQl zuKZi2qPay(Zu8hx%SIxzi*oqd;hLB@j$#tJQUx7YmXJz{EpwOu%MkfkTx8{9c5wf! zu!*0Hl4XwqTU~)8OwD&&vnCe)1<4|TQAs2_!n~YTEDl!^MVrm^mCFUx9FfJRK#n zr4Ij!+aYO0Cohn5Hd@qFWEOGk04j>bS?t&>uI82ABbL6JTfX(C9lor|%w~)Tpd_7x z@nIaZ@e+%o)%uz3nE&gwCbP2sRe{OZ2t`cJ+-qNU7jDJvX1nXPa^^+MTT7jG%bj*& z>4xah!G_ssEAXboKm$NwQ$BY~`s!x2)D1?Ng)0Qy@g0Jg`M)X=!9Kk>vx1xnums%o z1c)brD`iluPHzIDhOS1yCVM8G!^=k)Qs-TbC?5ip>!4gnV#2K8#+MMw>;a>%I_rH` z*JrqFsjPD7{@`o_odp*mJmGUMOPxnMo!PBcMO!WdR-vh#8>`%LP_BEp zAwjow5bd(^XICWMyy4i+cH|}?dW7!BvUJ{-uCP7*1@O8I*1Q|=;}aNmwszsVQ*o%O z1TFnpj%<=CEw_E6g{1`oDWxZYKaMQ?-Al=OncB8(bjq{n(YL_s?|RbRMCaYI2X4jf z^L+bLHYkL>;`KIvC63H?bzOV+(#rjh=PrOq4P3LDt#JUuYTxYfBmVTAzuJWnWlNZ~ zWPk6HXUr=!ZF`O_f7Y;9w%nr|zp2#WC{YOL7zN1_L-LJWFjeI^+(X(bawcFsWy%Mo z8y#5Ok2tSwLO_Xq^JF!ND0)!^GALq#{IMYsMf#R;D4Dlk=Vp1OHnywXKC8ZcNc5Bu z_mZ*3Tv?2hb^#Zs8Oz_anh2RwlSz1;#*i29E?TiF01&aK#%-x=Jf^9wT;nKcriQ@| zg1nAi+&8DNUQ^8Nrwu)5pfRC)a@+Q)BV!>Zum50cj^}<%FLI-bjmU^8PPqmI!6vce z8+tKKlmxjt@?f%dMCyZLp9F2x{SYt(;gBR0Wj^QUVLpDy<2#hF;;S0FAc;{mfJ?f- z1w=t~Xn<1q2a&qi!T{s(RSdhMmC|!F;?yUzx8yg=pSb(RFjUUJ&sDq~@I3vl)9nC3 z?~Q=lEAi&_9fOUU_PTExLc5CJwmiArDdu0Eqr9$2dt%M}oif zuZQ?lAM=Y%|BP4z*qW{<6`(46TGTY~4^afEW_%{ModVgi;VR!xdmekPd+fUtG!%3956`i*%`y7uE{k27 zCLRnl8Al*aib|(A;_uBoUlQFg`{%p!6f}eLyYn*5Hs^o?^+6f@asGTf%w>OfDIOT$ za7O>YrLkihU0vCj&;PNlm?cyA#zL7W<>$?-X_3Of{NFgFegNq$$hDB-kQ7@I+o~kQ zq|~Q>0U!lu5&{-sP&S<4IW~YUQ7=4EZyg*Ko+#Y4FIN|j|JNf*n?K}0`1=0*Hv2nh zcJEtGI@agzrwrl~5?pD<1{JV{C>1a`AWlHfj;$Rv9kMj9K0s?IW7HBg$&>+8MCwm@ zkKC)?oRlA*@D^^kj)4PVflpct8J~&!4xD`y!+7^#HC#xR&;`gPJjvuD&bg<#;=-fz?ww$l~xl=J_^JZncNih`9BO1KIFd`qKg0$=_C2}E6O#C=! ziS$wawHEV*dLs054=^BeYz%?bF~#PE=sva#ixfE*DGdt=Lxo&uhG z{d|Ky4cXvPInxevIs6@__jsG4Yw#oLB0lT_&;kV40hJCf?4V`5#g(7`NNk?ScLUWBqqTYjox)}tDLc{VRi(t?GQrE% zR^qhu@8MRz=T|Pj&~Bg5K7h2Sbe*3prAGxA{UhOXhN-=j@3>4jxctQX+c6yEPI&P9 zCBVJh4C-t}BqOIbfn0NSmoX^=HL?&-st7ECl2y_O3J5hvPQ0?={j-&Af;V-4#A8s7G<*a|pnT`dkpM0z)i|1K9arkNWi|k0Ep*72i+FkK@ zxvgl?D`+>A2Mps=|Gaezu{#zL$M{m_cX!}!0kx>Z>Y^c_tI9}}T##&2JgqTB<|#eX zB+o;^?^#B^=Coj#<-5JJFr~FnBUh+2EHoriJJ!~n9eE5E8x>PDUv($ zY#cp1Q>>};En(jrhg!R?OsgJlEQd1PMCwIwIbBx4qk|zGpAt*wnI(6YO3X7!ZwnK90w%syQS=_ zI0SL12)r+xpPjTt&0b~Qg4&uM423kVz~%&y;k9Ixfq)9Ip+Is01KkJThtw5n_!rc` zYkP}1B5yXf8JK&}52;1s(ERi20f?GOcxKj9V=&|Ta(t|9b2eFAO<8e+9eo0`b%ShS zUIhgNofHp3q_B-7h0n$Fr(oC>s*2=UJlNZm>|L<(9$A6zPdy}+ywJA7T{CT^W+&_q zYm0vP=QMWy*z~hmVW|nQ)O-TWkM^1J>{Nx3Jt=Zqwyhc%pPSUBUc3N40{Iu4E)hdI zWr683qFkEsG@?m~*(`yD5D4?3Y7x4y)@3TjZ_Fwxco4Yb_cMyEU=s3r)DX5=| zp9aeB`2;mt^V20I^{x)Fy-826_1i4#U01uQso`&VeC@MC67Lk}82K^m=Vs}2QSoB$ zl-Kls;}`J?`d(ZgUi6D&_e!vJ;kNJ)Y=&Z($Fi<8eWXX*D4ykAn+KTgv&OqOJdiVB z`()-OdRA7zpdr4x=d6Q_DL?~i1v^_hRqDw6#! zcCb-s2V+rsg}qkSSv?0hqF1F>N8np3dQE7GrH@5bF-70b9QoEE!fiCGAqt42`LURu zIZz?;LAAor5(JULXHoG17s;8vGC{a~I2CM1=VkVuT8#m$#$Qx?%j!Zj(wSH{hVyXO z-D`AE1wpRoqyi1&3Oa3(BnimjQ3Wnd>?$x}bQi^+& zFPYzvb8fyS04`5C??!^JT%pL4^`^84B8)0ZY~C@V?!c)s0Z=$&qKp7La7fvI)>8w^CmciF+6% zw@#e`fE0REafpVC8jdnDq*Wku-}%7!5^y}6wrP|+TR6S*JsJv8{(Q6USU7YAWBOea z+PA{DkYKH0P2X%es9!_O0c%I6?TaEq3vWKPqec!a!{&;PRdPzoZaB_$fjU+ z`SxZq0KUPhg0G}!wH1o?W9a?NX7YCN>5YU_cLbGw(=OAUX22gCF!@QmCyl_(j9iOQ zVNAAPRxH;Sv>q3TQx-A0Q=v^y#zOuu*6*-9_e0wdi+&F@r$@j-K;{FtsrU#xa)_k{ z54Q1`o^d(C`}7Mw!R6~IkWWn~8C7Y?8N2)kBf^X?;FZUG%}KFiLy4fnycJn2g^IOW zKo=Jh%jfvLq0(&bwK-#nV8r*vpHJOA*An$6PKFFYd%J+2?D{0W$JtrE`d@*FX@!4% zYLeP-M1k38n_jeT9MbhQi4Y@$CzfgrDYm%c4AE}18~Rhas=w;YuT`?Bm_p3mA`)}v zC2Rf?LECV|Z()D~Cdg3z-%PrFmHgQ#C~zJh$HEd`*`~L6XD^>-OSm_Ml)>)6^nIrF?-& z$@mbmcv->@4Zl+{ZE|8BJ?lbZ&Hl+ZHee!PzlN=s0{-zzb=vHS%q-#Jq!( z!`~PF>6U=Pz*)7;3^VOa$_r%~95Xo~pGp+NK#O(*wsa|)TiolPrl-kkc6eRK!+L81 z7vh4cb~vD92Z+;QheG}L1pe7na#frpuG`dz2`Ep8BsBzLKPuwjkWCUW*W( zeVAtnLlSjq!i2*_m;Mygld_fhBIk6xr-kI_zPz@tq0BBiw(=>E^gb40*01Z`$y2I9 zj=_=*(&zV?=-RDX?ayv~a3H47?QUTLoq$X_#2uqS}@2CCtpX2En<|KMxLP@u}B~j*Q6p6xjqo< zJfNj08vi9%i+b7!gC|rpJI3!IrGjIn3Wp^n2_OWLl2o0I0Dv$$ykC$$Y;Z-Jpeh0b{o3E=wTp)$y;dxhkE!^vl*v$6YX7lN3`y>@HcZ%mQZw zYD?PK$z*aQ;(7~=->{rtj$feo4Yw0QaG6g?7XzYODZ~O?4|$fkbB81~g>yBbNQ~0< z%i5K4@!}CRB+_EVr9?5FU+}So%Gj*W<4wMu*;xQhe=KbpkPQKl8nM<&VV3XCYnpLF!I{_uP z5Ah(*q?#^MOwgDBV3Gs0=8mv7p>r4$Pa<6VAutoc(=tUA@-OF_PJesYoCM7fLK!;A zd6Z|)@h~9?nwmI@+aOm6R#SuGfIY3)lZ53UU+fo16~%HkRVo=_RFOK=*lt z9!DjL=y@}zHP|$Y0veP6{k3kJpeYwz`#=pdScu_A2y5Asc^6J!=SbsX!tx=o#^IbN zezD?8NL6wSpea`sLy3D0R}BW^h-h9at_s6>IQ@zyb2%7D81iG-b;|JdAQ0au`2oEut#!6=5vrigwj;4oYyz+7CB!o*9XR)L|&=Tp46O1b<^ZM%AZY zu!W`UhfROT9NHviN)?DY_(p)<*@ybF9qKq4-T5v#T9{p5luyOARpWHz`NcP`ga-x; zN?=qWP+y>UX93iLUhLCA)j&63>5aD}lW6ikCK2$(|C&T2m6UH2-ofLKZi2}P0?6CX z>%DGR|F=hk7d2)P$Xl6|_5m34V4&4V>JDtfTD4qzL*rVtEFv>Y9I0$ud5@-y;~FYe zr6eS%oQp;R!*k~WuC_g)G+f$--xQ-}NJe`(Z>O=DJ43XYZV1Z zaLozv-Ige6|4{r!L}q^|`6B)jlFWEnzd#|5J)E&;B$5 zO0^PNRt#Ma4gE=gRZ}HJ3uj%mbdcc_X%zc0@Y8pY=xlYWoLwD@`@c#NAl=JvI-%t* z53<^~gueSYdb>;r=`9EMO7$~7@75=yyd$bH)HeTN0aweD%?MSHSmKachJE3kcP|(x zbeP|9Dn))L@gx}^R^9ylazCubNOiy4f9a&}2tlQN(CPhw0>6%Fq*IFcr?gDzZqA=rDigKi3b}o=vvY!%{RDgUTWK0U@kpq~XmDA*j!$$Idp(k}|Oklo=dpmrtA~yxUynSb_{k4N(YfjdO;^LWSEn+fb z0B4^o1vOF-qj^@3${p1apbvq%F5wpgShfQI_XE+waRM@>FCt#4DmZQz$5tNQ{p|Oi z4SCzJhUv-LFqyuek|hYprU|;$BDY3>$f2maZ<9ECm;mxaHUOwi*dv)m8r}{UI-h>r zZVlc3NcsK~&Y|BN&@_a%gZYa}zO<8mxzzQoX`r2V*&V^tN(=r9^8?VyUpaNV!_Yc@ z+K|Bbz>1NxjsC4Ck?EiMsA-`eFd(fwmbZ}LYCi-ujq~?K3fdCfj)#ShH<=6Dlo?5R zAEbziCL#-|e26#^L~_wOgZFO6ubIw{!e7-e{WoI--1{HKNKn9x#2ESEW=M>YMv#EI zTn6lgIKn~MGDw)Ko&|<=mh|OD2T>*lP1XeU!rpUL^O~eq98iz zLrtQM*v^yq_(jt$~d8J90hv*ixGgDP_9Idky zwh@SrR&&2h61h_hBps6eMrytiRr-Q^J@3z>L69!TK~>s~-N+eBTP)@Fju@OAA>-M? zsE-Nllm$WXL?wgNgP!r-MPaGit!KO~O4i2ID@Rbe2_@qfXB2y9^fNUKBf6%_fdL0f zcXR6LFN2FWYn{d^3+|(?uxTRJv7lH@mO14#uUnvFfwxKUo7%`mp0hin zs5O2xP}a&HgSg?3{9O5k5WdzYDf+1(Dl(XU&e`W;wT2vp23r56uJ+X0Ged74fojcL za!-vWLXF?Hw|w~pd##X36_J_aOUxpBY68B@8a!ZRd>W-W$p{w$*&@mR10li7D1(8# z!2y3EB+G)zJBo$>KZF#{eUJ;3yh*6-?vZNFwOAQeUjdbw9Fxo^*4NJ@&LXZLG|QBDbPcJgop=`-tfnx@WOV^eeq6(&)R;VR z(v_*Gjh4>qA3KhJp4z1hQ#+ZlL|SpXKBcY7ZnIt8 zRBlwt*>eCr1EZK2pKnhCk_azS@CQ*+KPqKA5hfLX8rFdl?WgOXl%^Pp1Jnvn8mQQ( z7A5eb;vdP|7jLIZJzGhVXko<35J=(ANr6n3Q&GgYMgV$Am)Y_VG{F^eJgmo?O5RSz z$7)wi?uwIq$HZJ7IL=NbskKcy%%=K(OxMB!*Hz zKtzxbb%yQ|B*me-L0X3%Dd|waAw)z#R8UmJKfn8a*7JYfoVCuoz0Zri_SyToK3}&N z)26S{F~}sM2Q{ndyB#1aHVgxC&%R`!d1c81bk`+jhZFXPKOHKOar1mE=!|(VT(S!e zRnaT~560cB?gjL^Kq>KrBO2LiSy>k{KSb8D+O70ddahdCUD;m~LdAR>Fb=sXLy>G@ zjM2L0?f&};lopSW))e;J|5Vu;us^U|fsTy%xl5Wxa03;QX18u9xXQS-BjK<49Hn0h81r41%>(oFq%-!qfM1`OlS8!|6K?1 zRkWc^XHQ5QX1&D>FUiQxfR|U~ofp0y;=kV`dI<1WDUAoE%htjwI8%;As}mG{tZ*v> zFssNv+I8CPipnKA-D^?T8(5Q?!SD5j&UWcY7s7djY|C?A0wX&}L=fk{aq0Aga)*zl zvY9^C4++|st>l1XZ(U~94%6LAx3o6^=0wvqBFAIBS}fuE%sw%SSC2EwuA_QzKw1>{ zjPftVw~<|$N+ELiXHKnO54+S|m+%M;uwXV-u-axh{l1gta;Bc9Xo9z)ux>0ZHAxu_ ziG7s!`_tf~W=fzKg@R45?h^qoq@tQ8nEe<`c|`Z(FVXX|#sbAYGXqA-!lUmDVWFG% z84+hmqW9%^H%f!*Jx(PZ9#c6bU`bDX43py)EwzD3gaqh96sJgD5iQSGYX9aT3W^y$ z@LDr0D0_&@BpCL24W+A;T^7H1b`f{2IS?q>Gf0t+f`NrF(IPl4W@s7x;Iucw3I}2o zU9rq$pM|5sFf?c!@Ou%g|H7n+ns0(Asum5uz9$4b5HVHU%Ag7cxY5dRxJrRWVx2@} zAFA-{P`<>$b%{d1c+n5$9n1$>Y~$71)GMeY z0oF2j@E(}{rSyx7yaoyHz;`f(yaC#y9T7H8H!%_E92n(9jI~7x;)x9tO@bzJh>>&C zTUpz;-^)?BOOwA8pn@R~*cbDh6oZ>#T$h@(QRJACj$N8#b_w$bkujvXQnY?xG}qcn zG-V1wm){rf5zx{nSY<{Tb=u0XJL1-FbX(fgo+hUvF;53Mq-my;pL^w74&Sf1khaesQxx$ zS^5Io9Nl7j0CQfU$hXeGvz)Y4Bx8N}BitzLu)MHhEI@@gK~?gWP^GarWS%^pXwl`4 zP3%pU<+R4sWvoTNLP&w& zco`mfzrLQ(ZQL&TWa!bUjZF~FjA1=)>2~v@Z5u@E37$qikPxl)wQZ63@VWG zU#fdXbAF~6<}X@t5H7y|taM5*O+Ax3de9b#Km&j;ztT)G2~gzzZU}oc5pQDcPtASZ zg^oK=UA57z`?kT8^QxKIWIZe%AK-9dAJwX|rYlaIHV3u|> zfwuuXU)QGV?mUCCp<52 zl0$3DUELhaD)HGrjE_aFuD}!=~ zWQI1iWwUpUBXRch;Q+WN5RqdSF{fpK7o`bATt%f=qD8czzJ!Y?6V^-rIV`G1un$0G z9B9jV)a;rb`*~n1bvfSO&5m_;ORm~&B{TJ)#j6kRnT`c5D!201&FXl625>#Ei0yop z8Liaiewc$D!iXs z`s046ni`g2=6fhdrFg3qBW1=j_%Kf&89}d8)GI{7UyCFs#wZOjHL^lJ-?&CWE0F_Z zBa0waHon3R_;#rBe9JiOU8&n&r{9^jWTOm9;%nEO7Y&mWGj-dAT$~RCqz(g_&0*l< zs=W#8qe)YK3^8{5_Nz0J(F z&G_ROAS(v8G5`xEepYrvY!HC@yyNHTZ_NRyJQCOVCRghw#}Nc6Pk;uHVc!TTlitU* zH@|r{${T=bU9>4}k2hkHS%uQWeF@OFn2Hr0PpxgnjR|lc7S1}uR8Yc3F9ox00xmb6 zF4gtRy4A=MKUkxGI+79h@pFua-f7Tdc{HR4+*NQ4iNQs@#fD;~c1?l5NEl|%&3VO5 zB4fhu+Bd(m$nYc@e?=s`HOGw_oXiFe1I8#dnz{wi)x5)i3XVzcn>?fp*11o-M|ISKv z0G*QMzW_7?g)i;!Kt`)3=S)elMjgFyOQP0ne5)JnW%7YBRzMflVf5MM2+M3-0(C6c zQ{05kNJCIa>x2@>MX~-b((rB(j27edb<2cCrMXqu%;A=0W5;7<|TG3ciRb6JuR#0B6+0x;DZfs2y3=26GzSx95ID}~2c z#!-;DCe?L_(GQtiPBbIC9NRwesU-yU7=|zag(HqtC{?VX6jNgh=@Z%qZr zNhj;|fbP|T7#<^|EPJAkkl{{5Yi z)9c`^Zdq2A4UGv$llm?PZ1=p#2Atp^`vhM5fM$ zw`DCb6S2%XQNpW4;5Qs)0D@SJr(-hx3tBzQCcOUJ0m@dJGd3Z(6+dk~cJE*O9+IAPk^WXfAmqWeI7 z&YR#V%prsp*41KjDwnyt3C$w{Kq7p;WJdDi) z+T>-kv}-954PNAk8VRUh@*UIUS{UG1zy}Z&{a6G<13@fl0G630zga~z;QwXdU;s&A z`2R3)!ro<>XkbhTioP+KD6Q3rK=sn$3<#yV0?cwZt%)ssS?Op>^e6AkoslODqI`IJ zVA*IclTMNoWoxBL1}75*VtAHERUN7Ji`57-Fjc^vAz-s#QZrv=qTpj`v>3fmXD{it zUTb4z*JR(IvhGt_@4%n}=IW?n_I#IlTV`p}FjT-9@{`dX?+MC!|LUR1L9C~4bI#zc zKSc_&hnvH>8P4N6qCW*qy7O+0u225jbuQzPFZXn67`#VMauVfhkE6oKXUr@<^7|Sj1|+tgiNg}%?nay zS)y9_ys1T*{`+>{k6mgZk9PBvt_VPW{ySRlWu^Co2!>PS8|Ob;u)LnzziexXlx4E9 zzM(6!DDCQm-GtajevF6p`GY|6+yQ*?@mo2{E_Zqz=u^Z@3}$uwT86Vmg!^~gh^bI= zRvD1yI3XEKbDqGTrbrX+!TshdTp;cG57Kt3DLbw_+nUd(B1diGcudgBSY}u-*ML7h za7wiEU6@BLhA&a%h3H~9eeozdx}LYC;91>=*K`7|Yu}eyaG>8SI4L$=w9}VG0Y@Km zO=XvGK_S>+!Ay1dP@s}$L``MEVDpejW7y^hW9boLEvMQ&ydo1C47|>KA!)S9S8vjn zfK=SxsjX{VA;10Hv`@j|$2VNdZ`53hDuhEy z6H~MYp1RPu9sLiDmsKzOGdjqUubVSu_;geV-t$SQI3Tb%l>I@fM$Sjmp@S31e?DGd zRMFJc#b~+9Iy5LN8|C>{buskNKxpcyA`Z=#%ppQjIV2fniTl!`!!9b_a>Wv65;%& ze&0kXgA;aSz5BRx%ygnKgX?V3%eOmMryXiN^0h2KDH_Nwv`E3-;DdCgfid(2fie0C4zyS$ z)zwpSEFi4pK$)0ea@i#Owj^3SFg}rkSO&hBwAxU<{4a7Ekxno`x>Ms6VMqg@x9)Aa z)B0TTKwNZ^{lOyB(AbEShJU1#GS5Q$a^2k!QUBaPwl^^yb-!1Ux9)t-pFR`ryBMIk z**sCkaQ0#hRC^R%HIL;+WHfHFf?RnEvOg+ATagn<^OkBb(d&x{K<5L*!fx`q%M~CI zkCrO4ZH>y2^_Y(lb(u|C>MdsK+#B&#X-K|tuV8_cKrLrl^3c_>5KPp(My6}Jb&R%E z$*rKdx;yzSByxMow{k3EmyYH6h2J`l-A~P>ROFKi@xgNCoEn46&c6(KoB%Id9IL$i z6PW}cT(kQ1g4efF0pt*+qRODf{ot5NH7#02GKHQWfLbcsjTVrB08FOE6|zEULb|k7 z$OG|)PA>GBc?g=bY%mRWR@U`|kF~~~t+aVd`9-yOMZ_ESo6VKhWlyJEKKb5GJR9P0 z+7z_xmS7yFs$2ED*;fp?Qmpt{lk1a@nfgnqbkRxSYyVcvl9>T9mSRz3@Wh#yd>lTzmXJ-A%=?5N7qm?|ehLlYHMtMPBKO);BDxBd8|3?fsbH0TSW*%EM) zm7wC~0(%74k?C3jHt}7E$@x@F3UMm1E&a){ta;u4^=@XN)gfO~b0+*s27tM%bp*FMc~>yBUD{p($0J*@$a+(pvS6ns~=e6u6*$O&)MU0`Onz{K$5~87k&hV>*{cGJS{=IT|#)b zguBnW-?O$*lYD5x5x^48;dG?_q=1p2%~L-Eli(Z$hqDSRCfU9C^6beY&ky;ki;m76 zwM@OM{ZcnNINBITQ$kFSr9P{%#$+-9JtDcvU14=DVzfWT^92rcS07lUjOV^Q4Ustf zk?i{K#c^vBa_hqEw(|c#d+&Zl@kGGVpV4F{yp-UBn9{v_>~}WUCgwYPUKINd!Qyix zvNE79tiMXHV|c;%|3G`ZLI#)69;tiEDTjLOquQ;IC%Lv^$6*ck`|>k73kT5x-7!YR z-tcHF;2YlwAxaV;7&7%aVZUI4MqMJecg_A+-0I6xfqVHrA6@M#S1X2#1o^GW@egzW z(*ov1mOakl`O5p@jP`ndWvt$%1-&ok+9YKI|LFRuIX>7H;V2CepE~}f7)e|_oEPwq zHTvnsho5P$x(iVY*+KO5jJJe@-1kM)2a?`}L}fasz7gns+nZN@`h+L(cC21j7A{pp z@PhjDXSYzcvLcBeEry1>40}JbvlZ@9v1v}aFBQcp9Y<3(_H#WWqG>C+D(P}_>)2D? z>FPXTl9f|?ckg*G>!|nJe(kkSk$1j45F8DiKRdj`gCc^(0CiRBe?LX%GK3xJaM!Rk zwiR6EycOsga>IFQ-M;E53((Qw8mhjM`Ok4DhUu4^ndw2!6Z+QixT|6leXb6>xx0$O zH`_}}z9Ue16u8pw()s!)P8MCdq!gyTe-e9@`YqnIBmk?O*-KhGx!Uv}8w+D_r^Z6! z2n8Xg(toXEW8%-~fNb6L44WBRH8Qp~?%CR@y;kHmxyE1TWZgR_I|ej!+wjBQh|ml5 zZ%4hI{US;)9&!|(4Zopzb#5}!#{Z_zeJZ$1{_`c!2n zugws_VvFObM08qeERjJip$bbe3h8!NdN)KLTne1agfA2r=rh~f)OE@z~Y!GPp zStS_Fqr5`y?>9>v$JnkwLZw%1^`H;=tfO%;hJt0GS?#woD1!Qbgg#aZiy1TA`f2|Y z;=pfnlYbHH-3-j@u-u3Ft1|h&@bv$#5BiCM7yQI_Tk2FDs~N=yx5~mi?c+QXfHy_t zwVoJv*oZ$jSKn^KnR!4Paur+`BJA66bye{ZaJ?Xrc>AHt;lVf(AlcCS7k(IpeH``R zT!O$#0waM&Wy$p0w&GL!$ZtBH%^sfgx9%#iK2%x}VD*9~{90OqlDf#I$w_z)IwOqcki1S&| zxydT8b1$MsAAg_qLGYe}s};UZAOC0%6v0aSP$aG2oqGKVJjUK9?kr^AT_NQxA>BSI z&0B6nR^rdLqBj#_Tv%?oBT_EGthP<1`GqHMx%nL49I@!x{UcfcW+7B%FKQPf5pTpF z>{>bO+O!iRm+N3??RYqr{PGN9j|+eI6t;4V)s?3yJr=u&H=a7XNSP5y)s%bUTOH?N zpW0E1un^WTiB9`qrD4I8wnf4r&f=FcvR&J7Mr`poxB{Dj59e8kGYXNiM{Qq5<0cR# zMNSypQgrQ(`bClm5kLS=uH6ck!|=)dWR#O{Q~J%An_GUDv&{THoBgK`p$8RSF)XfJ z9YNI;4pO&_>UWItPF>|;Sv?6lBl1}fap8mB05Zz0SIf;XG;Vq?c&5?&nAnc8Lk#IzRqq;qz*b0x2T}eL+AX*^#ME*R~|Sg=J2m5oTG|P zx}wJ2qwbca-_?E^)K>Iw`x;;;J#0b$f%db&Pb&95c#2(QnDcAj&RFoY+l|&*$<^6Q ziXRKAlsEcW;g=4(E>oVDjoX(aajRpMb%-SYGn^EGIl5Rmw{%qJ210|Sb zYaF2_j-?V|MvO-)YZ#hmS5cOjUM+mEQc&+h{goVV?1N|Xh9Iz@?(RYxO1%%;3L_3t zyvh>T@WhE$iJLy@iu01*tCAO_r!vv{a^Iio2VMhTwF?#ITGmf`(*AIB)jV=F_iM=I z^@qhD1*2@;o5m|)W+JK*BY9s%!>``*XVL;?pz=eX2435KY$8BVT+LtTN-2dAU`DC8 z&-g9@Ki$>%uQMga;R-*WmfYPdXs$My=&sVUpVpXV%3NG_M#Y&~AJpR2O?zV_zsH~KC4QE-wS`^rtVqFGa#O}y zbtR`JQvSR&fIr=XW@P=j6-+5cm^X;K`l)h)H4dOGkLZcJbo^3kOX_^mR#vJ$km8$t zN*=2e9_ht*I`|0g18qdBcZaIC*(J`=5+8r(WJM&(IZFCaKKm#4tib5mHAHzN*dR|< zHZ;7P_O*)^Yo=&tkXdb5;?EeNQ>_|uamRRGXU{#MOKxJdPCQZVn$;7qW8C<7%FIyy za8D(mtA04bI?||QuC`>kAe%9-fjy!`{Q5i!LWUQ)gtxuPD$4AUTjw*& zE6|_+rBc+RbQ;mbQ*NgxR=WXvRQa|Y`@^0mr1(!q*j{Jmc}I-+B6vR+A-VX7>Rt0I z`z%#nSbvZB#VW;|@{{L2ak7b(a|tbO-u22g2!)v{9iN8K+U&<-X*<=OV!f?%`vFqT zX`J4SZo+uyw(3`}OK*s#3&JH||B?u_stKCErpVAV`|0Tqf%bEX@_OxZ%8m?2=CJy( zT9a{$w2(}Ejo;squuoN%R5$AQ5-C;Vc?FsoetoJd9@BZ_P4Fws2a{94sLLzfzClDM z$(K+|gmNUMNlbJ;?CoU#?LAkRy?Jq5p#8cbHVmk8w@aia!ts~7vqPIwZ`5dh+aI~^ zoI1HTSIs7>x&wTg^a@odyPItFdW;{`7MOa%Q|j1i7~bS4OuS+)`%fje{b_QC-( znBHaREw_T_zn8PTuM?EQD~ZX#q27Vvi2=@{e3E#a*9t}ROrNn~8qyoe$=+`yS~yc% zg(_&!HSAvjv~`a4bF(5IvNmk9>uvXxX4E#$@TsYPZUdGlE?#X9>EJY^(z1E#^?o_2 zrm(im(-r8H%z+_ZR6J^XLPYdgVY2UaP~8$jS1!xZC=d{=MRDHy14H7Jfqnm}e!&uB zSu+Cz*9jy<)urkucF=i2#cI=#-`Uh%vTmOy@vcD1xKLs3&ZX?vlRu=YhQHQVE&2Ar zXg>T*xkkaa+yCRWfDp5yl^U%Am7&?;++e#KLVnwZuCAjNb%kLqU9Q;`kL0smEzd?? zyiKO@ubb2+Wx1)a3v5{et=i`l$%FyO6l^DG|=;@V!CYWXbA&K!4P<9s$6F zg&at{{$kwb^j%%?PeMWcYkqiHBKB#vxZ1Ve?qiPJdIl{*Plgixi0733V}}^qNTcSn zpoGK;m*iR15g-><`{6NB4^=s|S9fXs6($a__YK?#MBX64MATQr*XQOWrmO)J7~I@t z{MrBt`RaIig;V@L>kn1^l4<&JME~RKX~kTHM^GF6XA9T4?kAk5zFbT-KfIwOF`PAC zG@01_nq~ZJul|yu9dA3QOdx+4Q*pyuQZiGst#OB~gzALQJr?!Y1Etu0fvi~bUbYMR z0k7-8X6)px@qw|Km5AoK7!$~P!%AZ6+jck2wp? zAq!3UG)4XIKc-A8q%0V5y{f$=@9Tr~B@4%d7<@e+fhD3;oB!tVU9 z{&(rocTye{3m{|b>33l>wDkITHv7-7sfx{1*>^2v-N0- zGot?!>iqHBV?5I4CYB=H4K#KEq5MhwTyu!qo*eqRm(b5rLozH=X?t^5-?RDtGYA`n zh*?q)O|kagxT$02#f?WYAH$fb!`DrJQE?n)Rn30TK)4}1*aDIM9KQjX;j$Pib zE8+*3)g!9Sua>pX>Z56~dT2q7Ph|!ZM92X9i{3z25$x(=@-2-9ALC`2xMNR>|Jl5nPHI2J` z#-8Ij{CAY`Z1;AlpQ*}SfYv>QvPEsKgY^OEl*?aq0_N! zncP6)^RJ`EaUeFQl<2b%!*n-oRZP1%gRaJ?NFnB;R34su%}SPNi5B7eT#Y3{&D2`( zKBrs5_8jlb`_xzS$M>I&-PluhS z*z4WDIKQh<0>s>R;JA$??4>@VV&q{-D@w2~vlLZ?+z4mB-3Th)(rMN%n=RPE5k}2N29}0`(%kcnQvQeG>vIEiogY!?1RtvTOgL)hf?-7QlP1hB z`CZsiM~ow98GV+rj)cZ>vXh#o_%>_2wPJ^e-*9>13VF8_IU;=ys6b@|zAa-!V`Ob( zEoEk{N7@q!bxx+@m-mJ|g6&r|>9eGm2$?WlZ+^jU)-fIErS0T-Xi3u2 zO8_cx8t77KJCrY!^Oe=0qFEORP#H{FnBJL5AZS*5mu`?@k?PGo!u&I3ff(RT@j`Af z_h?BS9b*QE4&Jg85m-j#SKMQZpu$ikUgT0m8OVy^MyZiv_R)=l z&2VQCZ9%Xqy{S;?0OAu=OJz05l(`Imiq?NXwwR7$q|W24VV}ks@nB0(L`ogB5ig}7 zVaG`2*fFeY=UEh?%z5Jm=?YIPiY*dHbt7TxWsDKrF3g=)1&g_oi*5SWe%Q(IOGly= zO{ogNfpnuyY&+g92JFsi#LH=`q>xAdiC~|3SFr97WOGuS53Jx(cQpRNYafjZO2u+= zxtwUt@T}n|>$-rrzr9KS*q4ZP-aBjpzs%{E_FA63uJ=>|%#o5bTbUo#drcF_)S+j{ z8G^RhV>tu^g*&S*PSA+;7`_tGpt|r{Pcaxxb8(+3=TeN-DtJMzxU>b;_cnEU|Bo%W z@LE^ze{4YlV&d;1bJXSyL(Z}`(qPbR^XG!Y*3LR9QaYYl(B+%ECNQYoYzIE953!ZH zho$taJw~WJ&XRgnZZ$v)nxGImTYkld8W00HlfnF5fJCoJO81Pmi6T_&^TWwoW&|kp zb22jNrF=X`8JRUOZ0LVzLFp}x$p2_T@b4L3kGv&ID(^Xo{Bl0LKTTJ zG;&=;_`mOFJd^K~^DoF29?uJ!BD?tztuqg-zca@=&IB#@TFyj;0neNbhFvxOtiFn5 z241%L1r9-bX5uA@Y&893UAvpJOr6FfSNgqaL*H%}EwxvwuDh+DXyyo9M8UoVCVi&{ za5Y_q!^KrYc9xV$$L@B50d+8`lRkuL+zaX=G3)yu09=L|vaN}iamd@`*Z)@;jAGHR zexX0xylU;K{%%Feva=)LH@1tu^ck9@ zLHG$5Yha}?oV4|1YTg(#Tm|Qz(GqwA8dgf*`7!1#vek*Qo(#s2z5)VyM#4^=sIC(S zS`B&em3Ae__=F$48oZS1gn{3SFE37eH$s|R^S!bE9^KEpe?PeH@1$-Z#QzP;(;A2yatGVb3)+Ug!uCL3J}4_ZwK7dOb?7kgb9N+GX#yALc5 z7~1cfdZ(6g8~NsYAJvZ9bh5JPJO=VW4YAftlfoRr-*3?cFi`GSGw%mt0e8LoSG3|w zJy;ZL)J@S8T3!7{22yPHAT0JJ6B(oqs0E^5?(ba{bJW=N&=9)UBiRfzT#2&BUcl=o zG~|gY5|dg~6E7tGsPNqdaDKxF%ZZ~%(RZ7rO1m3>w!P$DQK8n1ev?o2=Y6%?096z33RUM3q+c~CiBtY`-wXl0K@B}hA)WvYM>+(>59vVc`+G|(>;snF^ z+>;c=3|dpFqg*1jCd7ih%F(Gm82!FjPEDCWa!e6Y1Wv2tJ3gC3$cwuD|ZH4 zDnUe|)JQ#_$2IEjMO_UZQwfezRRd|9yy^_Zh3iB=kf6K0Huh*OIp=~-rx*1M85H&E zH&A;=PDhOh4#q%ZFrWt{12t*0lVPKxVY71`(@7n0GBZ8Du9bYX6o%3a19QZQHd!!) z;TgDAa(PAYysS}NCjvB;Fm)Kpyi!L{%{{eJI> zhm(Y-l*n!gy7R3%n@<^dDhMhIgd)CD3ME5}@RS6b=BBjpXUNh9^7M78FrLZa4? z4&5H9;XHNtYCq`GlEY}-m43Yv!KXBfFL;|vF9H+{GrY+2gSyC$3j4{{&G7J>MB)Xo(xRCWF7qr+~H2j7~ePYI&+BK*O>-jON|GID?RzT&+!G{Zj;q_x3 z*4H~uu5}DUoVv!ooMaqlPvj>8M?~IyKhdXgW70!a_nQl_9#5RDQE2?Z$Mi-Khu`QJ z_r(PhM^4NP+euTs21yd~mH#6l&dL2JAzsF`KV^VHy=C?-;Q8}Fu3$*6@l@U<&}A?| z%>H?$c%m7RJ1(R9`LN+PZ>`US%c905~Xb>9zpNA-NMF0R~Y98G$%IP<^gc-zPA4a(eF1ZUX2~U~!OXK)4DU$xk z?-V8IyslwBgO|78Fl_ESe|K890k1VtgN^5CZT9PI2BVVb5%`pgv#5T zA{v_gzY-#9Ar2*^b@9Ix;{QsBhvvLSU@UIIAVjOGtu&gPcDeqVnP_kZ#siyyY}FwB zE@kTm3rTAmo4-bOkm*f78(-sCRy1A%ZfPei=d@@eaBB09YDu6vx*#O3aAdWp0ZbhR zD%Q1yN#h>$%?+KQ3%(K(w+XR)nZEux^aD%LF;I1m`STOoyZvwOjyMjjnO!(_B^VnA z+t|I1v6?M>sD0Fj!Oe=b^N z9Kxm@-}V}ho(F$CHcZ`1U;-F%+Jn#(PBG3ZmjW zJ${X?!PHN}1`c(YK3)5WT(1@dImbGY*YptvaRpw^x0-Q`rf!Tk-Bty`Z!0ceo!8c# zZ~i5`hm`35CTMfGcuT(7GRfb0_%=G*5qw}Pf4FqF!BJ3ZS!nmd@gR2o$iHt`;wpS* zK3o0W6azH0#cm~tX5T!)Ws82tmqpP~R&tMB3=t<<2l|G!2sZp5^w3_V=sY1aaJwWM zcZpKL!kkEu9T>AG<;I}at_{3$bV|@hVFe56!rhp%K@?+sbk;X%xB=Dw9wH1vEH?xaj!9;JcBa{7x%rnQm*o{4}Eqi z1LHm|VibaCW!eQ`psKeq2dWwrDrv^&1<}OkH8`ypDi}6ifj*bTYzv-I3_0Unw?J6* z$BHtBOYRVK-{Vp{OdP>W0ZK@M8>1PwG--C&FCd<2{cEh|;PgLht%Hjk=uCD6XROWo zivK3ls3+?qH`b?a)HCbvM>gNve2A9yN;a(@5plr{A?<~>{2RQSM&D$2A0?iV**b2)UpiT)rs&;gl)!*;|L%9}QVBf- z73zA&2!V}@*I6!h)*y}>4SUw6BBVC&Sl^Vyjc)@wK78tbt7q*a za^V>Nz$(wQ>k?F?g3r+>FM~v)ywRf<$}>RamiN(nPi^Nxv1i=T(tK!<(LG#3)?T;S zj0wkCthTcKU%|`h0XV@rhHWpw9gS>&x)^4C{Czck|W8=UakwucDx=VH-ocOT#x0 z&J}(B1pC$dTL}jkfaYCXO(!+M?+%%OPh{~MXCR5NX(+Wc6B)vxOd**7&i_o)&}}US z-RRppL-@qR@vAwgIHYecIMd z*v$aw#@h6QtWxEq_LoOI#TT9=F2|!E0Yw$JZ=u1|8E&Gvn<}LB?=+X2@UMg3Ut;!e zTNf{Nso{U=`SHIrJD>g{aPwZBiPgWj@1ITjhLR6l6s5Ipckvv98AKpcrVdc&o0OgS zXn^mP>4l?ebK1}msk`tLR09887AHk4Fbv9?u+vz?DaRYP z6YBsd_agN>tNZ`1Dq_z<#7EZ77+Q)2Bdsikn!B| zK5$;pf6!rZE1qkILa9bQG|@aXtX24d!sDjWe%)J288|!-P`TN=LFkms72O1E2s1_04KPkFxS$vj&(L}+x4l>Lzp`R^L3yz6r^U)7 z<*0(rFFqe5FMM8o$PDlUT$%iLam86N@ZULpeI|}G0&H;tsBncaKG-kR!c+cr|ETP5 zSI&Ln4d+72{{O^b$R%-zR~*GVlB1NdVz@D&b0F9-XF&=harxEy^&Dfboo?oYsYtiA z>4|C||B3r)`To?oTOv~U@W?}ViNF6IFU!Akz_ud%tXhRXHaCH$)}gds9V29@?5M<=h1BJ(WKu=*Lo=A#Ci&)D#y$O zFp4;cu`qEcwqF{cJHj*1yK$BSK4q3PVi9T|(B#+g!diFE>9Au*7LuXq2?iM#xH4pt zY)``8T`g)aZmjwtzuKc4lj2kD{s&ww?x;EzWYpMTy-k(03vA1EabS6kR4R`Ir& zJ5Jz7f@1_fvO&g#K9Vd;Cd+ZaN>*8q{eB1gz$)z8T%0jM8OveY)3FmulbH-N$H;@J zW2NI*RFiUwJ*reMl`Yo{Nf{(y@I**+NymYNxK7{L9GOXJ$BIx_xi?ZmFJH}EY`v7s zgXLc~4_@!_v6A+zO%K@O?tjoewyxSimL9b0K;egw0ehwJ=uoxeC9yzV0}huE3%CO^ z;#UQ)bKP0TIGfUpCJ2}ycypL<2BTNvnQ5c9?3K^e;&7|>GDpn!;_BNj$Fzn+k|Q^? zPpCX2pu>wJR&%l%bf=$^ku%$Z#xCv=Y`W^^K@1Y3!HsNAB> zFontog1(f7Pf2?CwTh}@?(kirp#_G(pQg-&nHfV_d|INO^~)RrAos`&sIY=uZdCaGFPDp=yUp4-Wx71+VN`~>psCV> zGi;RbTDF{aIlqB9)o6|o3Cp6;y;wuKpQ*Ou!95u379T>rB%4r2j*hKs{$WAlE9Ct2 z%_X4YjL)x-a=q@BGEHxC3zYFjz09b$c|4R|nIU9h^mw+twb#2}VQy6M58Gvs^JYwd zoxqMjr;pqYDu_<7sz^`3FcfT}xl89sT^g<~A^*tUjY^=|1s7vnl4FbG8r#VjdT>tf zb&D8oIe?=^G8R!QQJ?^LCZxwKO!#Wp;KJ6{!B-PW`V{FXj*jekOq85F!GMLXz&a?T zluxwP>0{5qrZabhh&vBcpGp$tPi4M%XC_;biyKHy>le3g4n&Q{&9kcwz~+pt4v}o+ zWLk~I4^|ID=5IWpe!;Lfi2XskN?)${cTD%>@Ey0V{!fq4s@+qDVr&Y4y^O}JTAK?) z?gVhYp+LYX;O#$S+?aS-6tQbBIa!(sdjo0_SOB;h74PKfLAzFsqdlLEzbPLrS`@ZP zrN5k_6y^?M^Kb^&wotG74^fL%Q=0Id2%;+woa9B>#xp!i24ZRif<=lG>j^kr98O58 zjVjiOg5xzSMvvw=$GZsH@r^Qr*5aNXVo*O$p%Mf3%hpA_4SQMboch4=2K&mOtz_G4 zGxSJ}>)W{Rs2%h2>mgKG%NdG9pzp;MU-Jj$3)amTaVG#3%?XCCXcI}XR6@l-dR=Ia ziZ4Fi5l)*2qcGL6e$AG!gFPrPvRQc6*<6@+62j6tK&cg|b*Y~X?K57MrDS+;Q0L(! ztx?0EwSWWxw$(#FZQ1oi^g7UafcaMM)}vbJod3&_OPGZ^4vOhL&MJJGPOXOU08xCeEVR z!`rKHwHfZ6FUtOdJ887$sy4G{LV?8FU$#m;GHE}{9i65~@pUz{K2Uh-wR`uXI6Osf z#Bo(?cH0zf84Fw&q|5@g|1eKfoQn)W@#|Jq0u3GU_@g;*G_xDfM9=++?h2SGvVi)@ zE?;M|UW9*4PQUCNw%hXJpacn2ez;`Q9YGyj; zI@4UCIX9vExrU3G4xI(UbeZ7(THNt;`D=1{s#oPlwu42@C&vpCH926Tx1j_J!?%2?N=a-)L3}RxsoFMfMg426ttRGip=( z;;@XzIokhNfMW+ern*KK-(STDzl%BhG>nI6?VveSlojCq%@C_QKn(zBckBx)i0cgi z@j@i_-m`IIUcC;1&f7wn(fz-su7~WdnY^G(!N?UUaqOyhrndi6aZ|9pF}cFMJ^Lm_ z!Sj$szduOpPsB{L(sRs}d3xa-io}pjWkp&Vk;}l44ucl3<6vR-TYja)`>(o7KpE1Y zSL$e(iHhSNbJbW$luIh5-(^#&-PaAf$%H{edSm&JtkG4FFuLU@Vrdnyh{!(KV&V2TR z>8*Mf5E#iLpo2lD@ca_w1sz85uK=lMh%(OF3K?L8b-}vLkWyf@avnfs4^wpTKIJP2 zOu$HbkB>D#fN`9am;qMe02k+~HB)}`Ljp;HyrvW1O-hBlMFhmcYkt1p`@GJ__4EB79FOCd<9OHe<^E*@ z>dSTi#NOyQkV zIiofXUC$g@4=pgBSv<<^pkR(Xe!ealym)%_S}GQ(U`gxn0z zc(>QSu2uXsf{LEh{{S80kac1Rx*q4oHQq-EPP7 z69Dz@X;SMLs4NC{XB*XD3(l*ANTbwQHpM4vZ=K?xkwC?`I^GU1)o4SYjps)XSA_2c zKfSvB$?Xae+H^lci5}v)De#MgSq*J|P)wvTEQSaTVs z*(*=B*a*dYr*WDC$kiVi{Xuj+@QAK-M$~`}3wbMRP27xJggsfYXy;AZ_7W!^F0&$& zIoA@Dh6Bsmsm}>zbxaJ+-HplKQ-A>6mo9)vKPzHz#TzMD?>XYUtX8kjHqmcE85$?( z{n5h5chiR=2e`ZmY^);-Ps)C@=8iblUW3J?YD3G&;kmhZh)cg2 zuReewe3)OI#LMptPr|!Y*c9hxe`oRlM9k@OG_?PE5DVRbj)`zo4adoY#P-KCtY^s2 zT24WxGDHfxJbx?R+tq@)0CRl&uQQ150cpIhHC2F4aFo^!!U6TNzJ4``E%1M>Lp}N9 zZCVVF>3mHI4VV}Nzav|RU9@-I%;_2_4hTe-OAmmX|5}IG|5%3r_W!XC$Fk=O$IMTf z?7G)c9AYMM`gsig6pCUnhU*vL*YmDXhVfU*VtpDB_0J&|IYk_PgmY8(XCeaO68gFo zWjn(L;yZWxKT!T+y{!1civv=@QDCt4fgZDRYW<-SYJLBmM3uH5SRV@_CNLQ;B>MVY zzqfN=7(?^dJ;Yb}js9R}%yw>4YXL)uwAmJbDTB0tXO=dUB2?BsHgo?MJ#6_O^sx94 z*!5l#sUn&d zX)?{<^W(i=T+(&bZ9UriOLGrJ8Fp^BiS?B>mo)+J(n9GRDZRywJZ@8ZGiSa_&=pm@ zkQx%kT+;NtNVP!a@ z$}d|RIk-bmTb7tEJ91dye3T7~pQ>qT(MHqMNsAN3#fw2L&-Q_1L37W}`yzU}>+GYCsYs*k7oy61 zdHGf4Oa9;jvSA09Dv6gnwYJUGQ#nC~Mg}+_MB^C{wPyjhFn?pR`Hn5{xp&})cDLqJNa!`c zk9v_e;^yI{rHyAz*U$VvpW&sLnt`t!^#{_>1H$(VkP`z}^l!>aWXBnbW~5T~0?F3l z`P6p%uaEzL+BUW^VU;5&N&JQ`c8eth>?RK4&6jJf2XGbf7mWV#{Y1_e;3r|5{>vSL zK9shQIb#LU(IwGQ(AXzn9e}qOKlMyp^?m2676Hu6M}%Y%-+r%Y+VMB?qy{6Fdv~;=>P2 z1Hq~(V%4_4`12ENDP-#vu>egx?*Nc1L^^&J&0K(C9*h@RKtqG&L3N$NAMw!MmVfC( z^14gNhdUi20z}3-uW&XTD15Z46fLZe6=z)0VAyPX0+meWULugZeKtGXZhYMd)5$C= ziD_P46e%&>zPnK+*3l?;|3K!?F{NbZ-7}Jc(N~OH`)l=X77>_Xfd0C7rx6)#Bn9pp zY%q0TL{+h(8Qox#1#4Zzzw#kgK=A_4w*Zh|>;#m@1M|72UbSaa61D!}yD|WrSmc;o z(Pft;(}$Rn6Od@ZAykjIT~)8e7wh^24G-=xx_WkyB)^b{Hfgr@GsNcKsk_P6xTxF= zUTTI^>{h0o7ICCIUz1?NSs*oK;#PW&=zV3VPWxE?Ib~6JbrB}dSkIO+43#}K+;o;u z?|l85E+i`bcgUAQ^euy504Ei|E*qwrAIG(gdnC)mxsB=R!bXh(qG!nZA)ah{y4{H1 zss!J7C#U^$P3!9ZgDXC_Io)l<;Pisw><~TL^LXwPU3fvu%vlRibNH?GF>u|Kqc zmb`Cm01zN!91^Jlp%uLF))j8(@Y8un7?O`&mY{b$ASB=~9nhrhhOhY@r11i!tAI2h zz~ijzkF!1$he_G;*4yw#*y?==VZ0Tp(8>JBQ;{k!*Q)!CU|*sBV?>V20IN zlo~6@8SX4d)(@Eyq8R^|ez;U?$-kwxy?wb1%=7YFsN5&E^Y+Qqa=z6Om|*z7`XL^x z(9^mCc)L!+xI`4uQT64GX{i@T70vJ{&=uAM-0bPd*`%diJ$P5#o2nqg7C*=O@g(i> z^A!-*U0zpQ7L*x`6+J@-CA0<$D1Bq_4G9K>(mifTAGTHKRG^D)Q&3T)g5|lI=w4R1 zV73~I-;@%fp`HKh9s;-nb$hJii;Ohnhyc29yZ{7586KZ1?*yv*9?M$<_*pEMx$eO5 zkP|sfonyc(iSyV+E9j%eRCVD?{&QsXP*vlt8%~a^pVC#i=8b=UD?V``9prazYIi;x zZSrYy{N9U$cdCH;gRWD;c^cyvy)<>QbqFZvZ>&{sqPsd_=S`jRajo)3-^a*o@b~Os zEEDH90^Rq!wh9hb5eB~=>baj9T7#9WRanS}PQ4?nsFA^2A^ZMBuxc#ESVL|d#A6>T za0xF_O!R*OzWD+hdm|pOhVSJSusr)x#`sVgB~O3&jUi;1VSB`^0Cb=3V#G85$X6}l zU-6JQlr7u&S(m0E;=khIub)7B*fqx1r}Z6N;l0T^`7^_cV`Zv0wo=wjHAVMd^k&YD zr}t-!Udx;iX)0@+xZhm*sh4p#swKX4di6(0Gj3*eunnwH`MclF>y)MQf|*(mb%N)E z;JK+)MZJk&!D|{{f75jlnb8A9|K$!rZdZw%NVIaXpKai%KNJg??Oaw^y)5AL02#?_ z52SdcVI>FP^FDta4|*a4NPJlW)0 zI59NL&>-2q&@H2MmZa3~D&_O(BhEyc$Gx_rBcKB~%b{Zuk)2W95zZlJgR|vPQ{gcT zNE!0f&tQ+wS-&LjeLGtun>77-%;aLaLJN>1hNflvP+iY6MxxB5xfHhlkPQ!yZxF~h zo@%7JKYd-iQPsY-Nr8W{skujAFjumB_E>zJFcx!w1tSTl1Y`o+c7e3Lbv2dtWE3Bm zhbQM#+7_)@28=H%M4!=E`nqqnTL-2(xo8jK; zjzv289Z=A(OOj}SUdNMO`I?Fi9z_-|y%cKO1@WJrySl9DgAY1pvK|}k$yS%)pGgGs zrRp2Y)HtklPV%LrsA~j8j5)4r|1?w|!TrkGd#)qm29hNf`*mCggQGnO!xZ_`wJ#~f z6sN_M?gXak(W<3Pk2Z^6yqz9vzeL^qigC(Rf{yKK7oY%ng)ISw;#GZ+$@-d9oo?q( ztnD4n8hC$Ci3hz%Z>HJn4wnoE@Ut?lhwkRy=4~WneO5O|E8J$?@U!C7hWY7hJAsTU z)|=~rKy7=}JiELV_Ya6Y?rvfgwm53nr4J_JFxk1dog5%J{shXgzt4mcfa-^%2lsWyu zv$g~A%Avp_R^r;KZhGqQqUR*rwJR-eTsXSlZzQr>su{Q;`=f~K7I%p4&&MpIs~LGn z1|x-hn$fmYOc$b$G|T+0qqZyLt*dmYq^YG z3alOZp~fm(1Nw@P+iqtV^-dREgQvO_sg`Xb^`J!Sn`l#tot2&V)QO&!Nj15=9O;$v3NtSM*8$UJeNBvS-SWDsI#U|a|g>7DV7B@I3ngHq2avSx>WhK zT&&izYTWA*tT7AVy?aBA5Ye-2#*KQEX*ftFe}FJH{s188@Iqie_+uUs0}_$MO3 z`<2{9$ruusP}ogPxq~a2ExpxvW>1b#T(mkpwqvl`*tI{lVZM98I0TrZ2Pkh~zk3%l z7Ll*)k6$|cObWwaaZVAx3|_I9567d}u({AlJpn%UDRm2ZIyG^8)=5nfe?VTo!KE>N zWie{YN)U(m0+vG3S_Q%dC|u?D5U|X}A-${MQJ28f%A(0IA^=Kf4U{Wbz)Qn7j6QcH z2xlDWg%TDL3t#F=ANuH_;w(K7TOecrs*KOAO8E)aj{fT7GS<@+Ix&s2$Li`go!B%E<`1ApRg?Ws@L{?SMx%d@zmm zpt`ii2Y7-VHw6RIE1@Vr&%$*;k4O3~b1dtF6hpC?+}`x+MO-U{LOiZO&?tP9A`?3- z#fnR|2uISz;DB-~06c3zI_$nAUTDx7WN91}c0b+Y3APG`GS8>tZ2-|dn!@@HdcgJ2 zcxE$Z>vYV=BdRTl@1N z!hmxzAFznCOOSd8MA%pKt(cqP3`(UV>PCTMMUkM*g38OeFFIm}Q4xr!bu^ELMht>d~b|Frwhq?9+-p11bL(4ViuZ!AYG~nx=*7*-LsH#|xA}3n`)jTijSQMycrw9PO!9tg-<(nAsVWcI?+4~@S*-?byC zIJcZGwN39r`d#*YAh+E`>XsT*(F038B6H>_*hd%pZIq`@)NO_%z4Zw5* z4opo<5?lfT`LGZ{+n<^#EkoVSDL^CGyo3XLxo8N4cQpE-3ur*&KWKEdtil$naPEB` zMk_XPAgM!_7`L503003Hz~ZV=riHcI2!IW{LSHTQr;rnkcQ3B`QNqr*rU({>-e(FuW)RryAJc(PR&k`Mxb$5qJe{M!xV~jGPkO#Q+ya%!j2Xj=j zW)PVPD3~S=xUd0=27V53|FmaGcO3Lt)q}~+1A#bD=D@V;Vqve{Cj^Bxtmi5t}+RlCR0bcHm~}LMkDBZ6bjLXd+!)P*MZ|Q zr$zGMUK}O9=zqQ~D#8i3foTpib^!Ngt$<8e0G!164hJwDj?g8RTbp#4Z!mnvS}k4p zTwX{UP9p*3TUJ)w0jngKvf(-p3Mggn#)5-cdLR#p%sJOUTEj3l04p6mcR&iaBQ?aR z`m^x@I0tjowhxGgXt*tWV9NgDE(ivQgz!|s(byFR5ei8Zm?r~fOJbTeI1ZTrZhxfA zlVxZDQ!Db(0h;*gk8DM2GCa{YQbuC4h_NwMJWeB&qGWM2hzr#ORtEq;4BvK)zj-F2 zQJ>JV`sbF!0FFh`btLUSM^G*gNEZ(Ig?6vwIo+R}uoEA;H5|951=o=*CwdXKfPu+R zDA>~e8uDQ9*rkyC!r(yTrGCIE=SLGn3E@COWIZ@|4q@01D!38Fg=1*&ox0XEzzVdQ zbr1_7=gq3(d}!Onx3YjIZR}@3O!`NmZo_3z4BUE{DSSe8y9#QHW_M04EX}33ijw)U z!&EO9l7ONx-vC%*Xc-1*>z@!{yC6=ow1SpB-u0>X{eYL$J!?V>cx}VGQ z0!76fv~eMadYXg!0G~rLY)%s#%XMj_kfU&?XSUp6s%VkT z4LRZ80I*ci;!znc2i(o%@GHE~CD3&jpA7(!^A|nfS11=WPaz_>2EKiLjA%q9$h=P7 z$F(TVA#;r?|X!YO@SJ}y9ermY_q9u;uPYRzV@FCf@q#4O7?s9ENBSsgm5y zE?2XcV#IF}wfn+VzSu!bWEnv+;Qb3*3aGt$oP)Di>0olkic1FFa;oHYP(!_uz7P^A)V) z6dLo}x1D^yba91LE{Xn&FP2NP=NwTMC^KyG#fbcNO^E?1~IzhU()B8w1 zZ=cq8n8}}*8$`4Wa(A=?!1aXH1SRXE8f64#JA(K$B5aG4F(Rj%K!11FAp?iULSPn* zOf=f{S1?;r6~uOrfj`3Ax+BfZcG5Mmx%rOH;i5xis=$b^bm zy0|fV4?Gg7S6TCI-iXF=IG_c;WqQ-q$do#W$S}Pzq&fUD9Kbq`5z1^eP0fGNVTJ4* zhLu(m;JBA0rJrPfkw{d};5!Ma1~A-;oW#%m@;n5gObdd_@RTLwmB4b2=N({tsjr3Jh_hgO8bpVifom=a;q%(#R-kXdI z?gIPUJ5zKxhd#P~Cp~W8Ph2odBx@5=1>K(A(K}(K9Y@pjFVnm`Lw>w48?VVmZn>Mj z0#Zy?bG)wR-bB&Xc++WmAWW+u@7(F;B}^xW|3ZvAA42{@jA+#qFV^#_g1-=BmCR2l z1R@JQUQB$7plh2?e1l3LLyYe2=s*!`AQ-yx0Vdo+L!kJ-5aW5OG8tklV7o$w7+H2@ zuDB0FPY_1{D>y9VoS1ftWjgW@;M;8x>$p6&#v~8myn0lgVJv)056p92;90J0s{rMl z)7ZvH@Yrfrr(^b<6KddyH@|!K3f|GJrskw!u6GAAQg!F^W5utJbJadUSupfn8}E@{ z=+CgAP7Ku{QYZp|M1TJaGHUnXe70yVer?bX@d4G+3Bk!&L@Q16&rJ-1v6RQlNd}RZ#|B8(JKiafVkFFNW z*)MQ9M;b$Gp&7UkGRNq7Z{jbfZ!%k>Q)05@T$*D4?RD$J}ezxNo&?JVU)zIboJ8^80jK`#)v_h zb2R*%#I*Fm%8*Sq1k7&kSN2u?5x9EfYYcsYduSAZS(lCA9O;dojL!(02r+M;X>4a- zEkBNq)=_1=Z^_b-NEby+p(O#2i9qexcX=C>`v99`Y`oai&EJaeeko?2)=d`1O_dBz zP8sNK$xpwxogNU9<{qB@`8gjw^?;fW_5Y}oGXMXmlSa_Zz3d7eXk{E+sEXukL1&yJ zd`j$Uw5u;w6sp+gYg%r;*XBRhlzL;e*`W-I@cye#BA#({vp4v@$u?M>Pnc;BvKip| zEJgrLLF%4jf0vS|rl#E`lAfQb-ROBUnkpkOP>{;7wVf^{b)#~ir*pSEYKy-;VY}Jh z!ojAQMI%!3B^r|DQ}X+8q5azMkk2Bd=JDr$#L*DewwkEWf1YK3duOj{6}B~B!TR}l zFeYqgIR2-cZjA<|fFa`I0hEs%>-=@cM#Z7^ik4l|eXY;toa&E2PjZ;HVY5XtTSLP7 z^=K0w1L2pxBHabfzF+vhu-GD{DVXhD9N7NSlT~DTGJ#A_4*jJk`N{NT%Ju_M7+my+ zuZe7vBA)?c=Qx8I%l(tQWS}MoHa#1viWHQlRYiMeYkf))%#PM)_0HAO74y!~w7iba zck+F;ea{sdJ<3~TE;o)Wa^s&%TajCJjrOZq+YAoDBOPK`>Y;oIZE6jUDVHKuZqYo?a2ytqSjLkIGE9SU; z+S$+#{zVsV($~?f1aH1tCWY6pA(@lz3iFSMp!Cc~qb$wy?GwT^E$TH~5@{W&)~M;O z=i;tX-D_zK)1B3V9UpsMCov!>Xfw(tRhh7AJIKSfP(7Xiv{>^^9obtx`E$ZD&{lLAi< z{DH-}lQ7VIxytcB^i-h&|-L z+wTK3o%Tl~F{BaogSOp(uZLQ)BPon!1*RbGhD8jFnnDmn*N?W7rPZALtoiHc>By*I zh5={mLF*rHERE{0vXgo; z2rGnr3SF4Y$wbO4Rzy=<_n3eiB&h|sHYoK?Mg$5v5;9bWq2_xDG+Z8q8LGOHmnroO z7eZ3Hy&y1ULh8rxWZI_?9*Ts9F+OqnR6rE~kQFtyGwj7aFjClBuU01P7Mkud$aB_p zZXg$9=kM{Wbg3oDFrXn6@k!w28!kZB4>_6WBWp*^+6P%07qgWy7bm>W!_Ow}{Gey8 zPvGXe%sR4KeVE@6KP;O@{(c}Qe0#M7wa=sD3~>g#J@a=H$nr*lI%salWcEQdATe5HHtd~ozY+- zz_D!1JcCSRnfPMhZgCpBB0H+`*hMLnmg>?~voYRxq%^rkf8T1=N|)vOL5+90QQy~{ z=}soC?q1kL-f{ClQ<_fV@m&D^!9}`X){s0Q+nSU@QA1$*lq?gfmUZ0E7{js1fbXa) zo@=4JEM`_TvJ}}m>q8wVHp;QTME4ILPQuM2;UDIz`Wdc^8u|&jC0e3h>R5u2sQ>bk z|Gs~z1=e4_&8ej^vNLuY?4{PnVd&u@K!1fS=1({2>8zt#CvTQ&WItBuoj%PBeS7Ws zp5N+mB{JvEZSJd>$u&(PmXKs2>B)NI#RMp_mLu`dTPwyn&-bjORH{)z#oeqp2uqae zzKruJe);ljgUWDkg93p|1zBUk?U#1~Qq{6veafJju^tb;WzhA?T<&@&u1U1MeyBlB zC1b)T=o{gc1!AF^&T$XSg51Js5*Rrr%{b4qb}ipOp}&8V;N|1o_{GKi%;*`am1 zw=5Nf!J0257o+&-s{KUN?iTj^V3!#FX1lENp6hIe{WQTO7-QXl#&sNqM^Q5PwaaZTCBnCi zoTO&I(zVAwR&L2<&?_YlL@iVA@|=4Q9yMrbZr(lu0yV4fT^*&%tt(N#dnFEr?*6)_ zPSw{I%kuu!_aB49z7-;RE?5gl4Pn|b;C3L-$5Nf1oxJ6~?%PAtb78T2kIKK|ZaR}{ zMQ*Qe`9c&+uK?ls?$+_b^@G`JS;!gD(#QQ;X(qGwcbsgP*-^DeGZUV{{>v}_QTWMT z^fQw2uozH)KFt|5{EcU1&kBAb5*2#!v6GGA%AmlXElQxN^%JOKf`m+DkzDFzvDs34 zL2%F9?xTNxed2lpdUm+06RZIeP-WhTjL}Q*Q0|Hm#zJz4+z46f(Ht1}8I~BPe^QV5 zLyT~BGWfO<(a#zwT90_*`In`fe5~}(m{O&q_UJY3(T8#4{FY>v61f{kW+@|*B|UEb zWhvF7B$){DN86TP8Kusdu51}Z8TvWd`Q8!iN=Rff72k@=NxoDn7_IOvK-KAH>4fk3 zLuYW0vy{>`sef6@S_eCTXpn&tRwX=$J_jopLWe`fayja6g&-DQMz|(R+$1E&^(M0| zBpZ4uE<)S}jwx64v@iHnm3+~0mlX`hCY1O@<8s+jy$e!OCzamU(S{@AFCkIk6Hqd+ zxQ3OiYlyEi2JVM=pE4zc38;LxPuN(svfF`(K2F$u7&Ug5FpB2Br*HE~CHjaput+g* z`ChcfH(zl<_iC7(AKC@#YsQ7PyOv^RPRDLFNw(^hO%jS5o%-w_n?0W7Pxfdlp)t7o#pm-uX$9{9|h1r&({syR7p zK2Fs6W-6q3;oh3y-lLynXyjr*;R^Q4Tw?=X#Zo+44T{FnaIKivSW7UoS?r`_edx_H zcv*mBONrUb8mK{dt7zLW=8&)2T^?lr6vdQ&WnJm1I=?p&x)`oU(S0 z#;umtCm~+iI&G3)CAyLJMU75PmC;>FG=K>WP(-VIwNlPkxGP`{dT)~U*e+)`U3BzP z{eS)@U3` z2$8T2DeFxw+h;3uRe{O#rwp;D2$Gdb*;IaGZIh$Iamrdh_KLjT@@cYCX`Sjjg_rqP zsa!3o2sSa?5m4Uhi&rU@jCqyzlTqsK_nZTEbR_ux(Ug&Lyh2(uDXUs{30v`y1ySl^ z7#3Zmy4F;;mPXi5vr~W2Uw^SG58vg05Sk=Nz)2yf{oKbBJzL;X1 z(4<~k{)a8Qd_OyXuUvV*@dbNG`lSkbC-UsG=&Ye>WVP-WRuWcL)Q)&y*Dv+?yG}ym zgFh!KSAINr@}oFBIY861{%i78o&jHpshis0>Z`s*`@rqw3J`Sut;-D;rNyLh;iGHp z`>k^Y=6YWX1g4V@T(Vx&mc4IkV4ZAxk8mh6t^L|md#-*@yy200Os$1Pg)|_ZB9-N# zOXT;xil~zA<*-TuLUBvi2)Ja`C$2GI+8$qb<*Cah-x%xp`l}@m^U7G=$w+<}OU#8+ zKAa^=aLmK}O;Hne5h_rbr0ELCc7r z&o}P<7RCD#YrmS^TVQ`wf~fuRqwp-9#`YlY!YsZToq8Oj{qDoK*^ef~4XN?3-R_+C z6ThjPm<&I<31)Y#7jpJ3j*gygb`}{+1SyX^?*$6CxC8t&E+l40u8ZoMCqKFC3&N#o zU3!R6qfSZwG5TJDGVfoh@}Bur9%*#Ttmeay2C`IXCfU!|;4t&5Z?3QQY%kk#pxjEb z!jU?Z3{|c*j=PoP-CLS0OmAbH9BOdGGyx0|3H=QoD-<2 z-I=LvwiGf{37jhTxjtRn+~sz&tJZAV^aj+$2SRXb`ZF*-qNYv0sj@Jww0tcY_EnNj zP5SBq#7=y6q}+)i?#_hUaB0;nJJ-cTV3`fbKV$abYI$_kbkyA2XK>N-7`A#d<)yiI zn!U`(`8V(~qZ7>}jvR!#;t=w3>+sIKvK*RcZE19e8D;YJq zJoF!~(yZdOCC&1Q`SZVAC1L5mTxH18kGQ{FB`wy_j4K=bvGKb`|L;rd&)Gwq$5(=A zRwEuxpBKBGU0hn7QhMga)x6)Qz#I4g$+d=G8epNa#pKL-bAUA&E&-<3)UVk}^|er& zK2~;q8Q$}9MI5_gYOd)FUwgxcZK@v91ro6HNv}sIWZ%S)mYOUmV6<-@Jy|+!`HNOM z{EJq0|E4Y(oHDE}_yeF~S)F!vSeYxK9lg9s*}CAkz7ni8^Sr{Xxhc-Lv`$sDh-GdD zmR@G)&fW5ubPMdF0wPe^-8Mj6)6t5 zIh)z;46doj+H@UKMpE}xk*MyFylLOi^1N{&QkW5U+z2}k))WCj8?GTs2W%F$RR{}j zrHk1{2aC9A;rZ#4^i66DfW*Z@Zf{doO14ySJmt*HgI>b!2Zb&9VmhwHV>OLfhsBng zV3F4Qm0jx1weLzF4`$OmtbSZ|(_h2WT0^*e>3qmhIe?)c+Z-QVb3F25$z zmE9IQuun^ktt48@G?kAAhcROy#-T%;)ER`F*>=u8l!FmbWUVUTLKX+$MHq9kA zD}RjL&_c~8S6p2nZ#kr771x{my^y%Dw`=Z@A{ffU&JEJbp;2n&4zeR8V z!KeCY^OvY!85t<(o#vNOzOOngBUUa=YEN;~)xYOa@7vY@BoHWq$%d!wp-<(-&M7s- z_BQ;+{9))7sE;*;K5|!%cb9pH;(JDodAD_bP^M@7(I#`1__z4st9cIiKiWnd7g$>NZ5Xz715mRUMqWqH45>wFz{|H=_$ z@T>rFHU8e_ofX`C`Q1-lRNV2alnsaTd)aK+;(HY|B?S1PWXx0%)!{0O^Of!02k!m3 z7}5vPxA*%R1{VV+pr()cxke0}G*l8t0)jK!=U+x&tN?c+586V$trt@hP?WKszkqY7 z`iMKBs5kh3UYk`MCd+`YTfbS*{;rP&XFmn05-%K%D2Ls_D))D3j~>q}-K)s%`jYeX z1K|(A!=j291*SoSdps*;S1|k}CW`@4)y0bII^Wy?c^PJ{5&F*A^1O^9ge;oA-jjb} zdQV79u;xg9XVzM-LbV$Eb;q*OGK-56Pvx|5A2ULl-opH4BM}feq@XcQ)}b{?&E`~p zrS#AB9F))+XqVCzdc%hd#&38N5{2(9a!doO{Hf_(xP-e`&O7LN9 z%)3DhBA50=-F)#!D%oThQzFXxd)N+?SzgkcqGn76C&{s$^1>@JoA+{^X6mBr)E99l zTkGU2+~&m!Z?|Tzcka#$ScWh^xy#$IRA*MEOCg)WHj?6jZtfYGmY^8*M79v-ZEv*l zDEp=7+OPj;ZtFjJeb7dGzJH^QwraR88!j!2hm2|Nfmlp5YYu0E_sxp8tyJ$R!e zJjQC_`+oD<(C>`tHJt`jp=ncgH$${{KCd~IRH4lkcIg+ubC#XrpU3Gt#2+Z~MGG^U zAL%O?dbsNr&F#|3sgRGG;3>L?OMiD8(%R|Q-18sp^80GbcpzE3%ry_7t`tkkTpWF} zn0T|uY`0hPrA3k1V|MvkB;(GrnxOP7FQ?j}-w*EAVRy|b>+)$=@6q~-G)XBW~6O0J$}8QC9QUi8Mc=wS^Nt4w&h^0o(e-qs^N!J#sd0zG;pcL+NG zKtU90iysp(Tbax|AEBpBlojE5?*bp(S%FE|C(x{UIK5Lpmig?yb%!137R6-PoAldC z1RM?m3PdL83hj%qySyr|Ch7@gpo_Gj<3!=9>5HCq1s z`p+N8gWiQND;m25AKE9)HKMn?nLfFDBQY9sOzK(ykih-;^wN$9EF*_ z7KdU>o}}P3E@BOhNJg!Q-alVrHmqR*F|?Kyfx4p02REqr-fggQrEcZ^dN7u`>t^+5 ze~<8e??r{CnmfM$EVF(Ln^RyD`Lm)Hg+^g!+ug#sDD`y7=MwJfsOL;2Q=}k1+?OaeI_vbJT;)qGt1tF2TE)s8Q$a1U;*JA+@1$Oz1Y;PZh^X0J% z89b&u{Z51@THBCwauFuRo+|x|xX*bf5&|AjZdw>4d<;Us6>-Vw&w z1t3_zKcQ9WgA!7CPQ){p!ekAjYMZgi)TcrlTpT#=d*e&!M)-q^&0;=oLxM0l#K)f0 zV{+%1amx72&@$}oxu7Kdc+3*z+tKb$taj+SBY}$M*RV{u4?&~hhIg5)yzt;1EQqx7-2odkJ&1US`^MoY>+CH(?%&aUtk z*gb%dXsE7#u%DsIx;2#NJzj~N)=cYYO+l*{MKw%l6s#G3&GfJ){J~2qd57{@=Evvb zpVMGju{WOW{EE60B-v&%$cMNhQnNbrsaw>OKOh-sjZOC|A1nCHD8h#J(s9Q}mTVS) zm_@x|i{;wSK|7r(7^#~+uiW&n`O=1>sq4>rIF@K=)GvywKw=yQyhE}X(rd#{!3(1* zn(AGn(q^#3qlDUrXOa-JNX21SUD;mr%(jVz|0QIyMwm?^56FX3A_pL5j7cb#_Mpmd z)s^faQrYIuFSTk#Pg@0r4ZSOR!#bWO?uI!_=`PaYWAbtPv(W&3QoIj>U zq%^#R1-}FHim(#2VdhH_m?}Ik`X|(3Uaz}*D5C8a_sz?gcz(NfoYJEbdQZQZzUQsS z1+lKw>sN9(=BuC#?ep-Y#xl=-Quf=bE#|$2QL*kE4~#~?zfCg)e@diy=H&5`=kc(g z9A`II)#zeDk1D-vWhht34{-ANxJ=Vg>eZu*k);-&SaE#*kHSvv(_5i{tiX3LighrA z78R6Z01{Do=GbQ%nf)SL`&S*+_<6!eA~;W`pv>Os`|^9Qj>0GTdK4QFyXcM<@d8*iB*3>J@299~^Rdk50F-POFo)>U!SU=RUWkax5TKwW z4T_7#>z()NokL9AVM|_Gif~%?0?eveB9Cl0yZsYRHw9WEg#fBnp<3(BO#Dfd9LvD{ zJT_PaTXKn?u7<5L0^PrHW9S$BB5nFrb~P$Z|BFBs5>bPd-|uV_2vKhG!YgQwHoH;? zqn;`=;T)nym46L=?R@H>8t*^T^WE#|&ve|+tx;`=e(Q|RZwdOR@)=ZE2w)cM(W?-u ziU#VzrqfHWMWg=$m?=cl1=+saJZP{88f>7} zFCg2$ZPp*;Hnf{x5E54 z{d1>aRPCZmPvcNegKJDfauPi_>ThP8D4CNm`;=Im@{}K_21bM3$H?klXjLNdO{Z}j z3vUVwwmHE}(8S_DHl`@%uZ>y!px}q9I6-lx0bl55K-tS8J_-EuuZ<}%X>j$I0Y?{# zn`_!lFc{&Pm{t{F(!W!}R6&RaIx)@uAW7}_3V>?s zp)7hNSho3LR9dUv)03C|(=W1HL`R!6^r8}s6zh!Qx{RJK8IkS0yO5^}N7|!`IylXz z*h9V38)`xHZ)F%7{77)-NYD%%0yxe{3sIEl+aBuK9y(iZ1F0EB*7fsZ zlWt`gDGpBj>YDhyZl!wioG3Uu%49t%xG?3G$VSlns`nI3V+^%;3et)vraYdp2LL3o znn#bg7K|6{h5S4K+?ON?VmJnC(31I_FI=qD&A>vVHQ%;UPj$RhaQN-E1y>dR?RlaV z8~{dHZraZi1`Mk-fvCCh`@PQy3bq{7RJ#RF6#4-F*aDf!|NI{{fuFh-4+PDE%+-}c z0Me(6Ulg%l6Vgt?)6UGFp6cs-b9*j}O*x5(V;VaP(TE@FK2U&T&+heJ&e;=+S?v;P5i+_H(w$ z_{My&@LGb351zNz=vT%|^#@KGnWLIg=Eq;{bS~c8LAmXLiAmfkom6{uRK+SCX+T3k zh?YAn{HTK0zeN?mDQR3S)|(*KJI1v@(2t!HWy4uNA-ZkixhOMdNqD-H%o{eZ=3@=S z$wX;`!=e4+4ezHn%9ouBhxx_}oVD;}-OGG5=^%iv1QEoohi_D{HUFNZ)&tF9^D@qg@U&XJZ1c9$A0<6Y%lHtM_~EL|e6-pU_1pchY~5W{)X{^+deGP~t`1 zLg)OM<6x z)>{0MYhuzGu5+H}mMgRkPyq${P?!Bac_b%YIm!2|Ia!u$TG&`y6FpuN(_X=|PM(Q; zclcF%cT%<>a!aOKAu3?@dc?X)F*d9#n||7>;jPTqLyrQ+x=Qv)EbC9o7- zXmNmYOF>~{cHtp&e9Q>YFmxe+2cf$mA{`&)OuW)W81tdM0>F^f;Ii;-Luz@%+ zItkh(#ILKH&iI(YJlkcLHT1y0(tV<_YiW(jxEY@Y_hFFhaBotYY?VXK`Wjb}bDs9r zqct1Dac4K>^^x@@fueSg&i2T}R@&W8U!Qefx%I6W$S2?3EkD}3*o>a8(|+9yy>{e!Euy5rH>%3Wb0NezQ8oou%(d&w?(r7M-_t^0>IWk@adgq3ARl58-*KhQ{4bwb z7eR0un0ch-CPwodpm`1*+f*}#d=c6Q)wHN>1aR-~m;%0d1?}HGb}LO!t%xc3#t8_vY=ZMt+6;WX2E}Kmd_W|~WMA%?Y0oo!?d}q(fS8nj9IPA? zSr1*`zUc-Yh%ddK2FU*Ey3|-G`LP)lB1A>q94ksDWH9d$2w^~}-U zDYX)rHs31(H@-+i1(0QC*Fzt4s>KJ;94=RXpOi*8CK26mJiTa2ygh zO7hpoC1hJC$dmmWG>CZ{>gkfl&bM7pqoV0Xrp#mIF2mV@*mrl5e}5lo5Ai&f`!ZAf z#^J(aAg!q{I=nAZjW^^wd_&`1^`8sj@^;+_K`Qu@7*3b8Q`!T24 zIg1F3(=pO#UyIJ^;m0qS-Y@qAA}m+F2o}i*wCS0p6fl(XhvEU(sfuQkpz)?(P-lM? z65!SSs5AY`jT!;zg}>b-W3hrpW<*9ApHpH|MAMX5kL;0twy!Lv@7&pDTiSpB-2EK{ zP2p#Sugc@c@Nt?@`00R}CO~frhj=3~3Y@?!p`xtd3d$V3LlQO2mEp5UFv^#DTthc= z#7Bx0iYb-Gmc4K9J}Ro`7{A6nW_?laXgo5mS3riOiAiT9@^bURzmdm)t93l*FfHpK znvVXv=|@%p@Ueq zx1@IcTxbR;o$a!-Ao$R8INi3-PM;wi#97gVl6R}w>K(`xmv(*?rPMP5XPc;Ys!-mI zXW`=spA%ToP47NmH`jJhVVHZ-q&h&Gpwg*p<|g1xYP92=-jTRP6C93ii0tGZt5h+wo}O| zkhF{tLqv)AF~5gME6m)hz?Em-&AT@wo|l}e>>!dpuD6Sp9-Br}9Ztl?5reUV?VG*r?c^W=pch z-W0Kik!=Pv_pg^(BPi`f@Tw{q;!msf>o0bDRN5uV1nE#sV^1d=xcNb+Qv5x_LD%PX zx^heIV%nI(1#*mLDE+c8Q9TT&-tJm}pBeM-6P`Vv2Iz#?L?*0Va!}xv4VN@F{7~pT z(aRBuUWViqYnN|*z)6t2dws$lRNJwCl*8+?#;m&Cq4E6umdZ_bDZT@iv_eV$Un-L% z^&gcPnsWi1lxDSQfDdW|*11;Y{&Ywcx9I2dPTm^u_mFOHXJ%@4h=cM}47Q17k+Pi&%36;!Q8vOwcRZpvZHzF zRN`FoV2sX2wZh|#RNFTNaP3C503^DzSu z7wtpo3_e3rlSVIykB2uN8DMe*=FkCsKit-)pAltz&gc`{hZ*CZU(t9t+GW z%Hh1D@^sBKRJ6<9sD<2G&u{WJeQBp;W-Q7ev>+#zdiK;)g{E}neay`r|NFmC6M1Uu z*@4H4xi8iWUvCk7vm+i|#f=mwf+2B;c$rFWSpt+(iUQUj!w89PXE2!HWq`U^K>``v z;8;b(FIV!kh*$_URR}=#fjwbVCgTNi-V3UZ@>n-hXotI;7_JvCjLiyE#DiM*t!oRe z7nLv9&_w0qi^oW|y&fePn+kKng>u)a6x30PWrNWHb5mJ^#kh#h1P^b+##?zJr-QGR z*eP6S|6cipd!GY7xh~Ch&Wuc6jttNGr!B$u*3Z4u3nG>_i0&j0xkEDj^i9XKi6Tqt z;$v@!m){xV*4iXX+s!lI?`<)L`E&`1HvC@@^M`#cA}c4|5mEtnY_k-Xc7+BiQaw~} z>M0F1BLX2*5!J(TiwLEcRGaEZYxTxP(52++G?-#s)Ot*Ho%M=agl*sOc6hpX9})Km zW`7yWtcZb~k9q9xujtP|?qjAze2fT8vC&|g)K=|&VjaHY^YTfhLBrK{j=L zzvexh68@JI0rF^ks_st9*_Rg9UVRnGe=J zn#V64{eGc4(e_5pcVYnU0pK9 zP%eND!;MXt??*C^S?!7+x*Ks}u1YpyF|nLh7guk$-ZJFQwgyJYZI zfYWF{aZFRGPM~%o|B0iM%r)+pj@FEY&4c<4sl{;5b>Z33p=9rSh3|cWdepDy#O(&1 zZQL&nMy&_9#4Lrri}6go_vG6~-WWpabEpGRX&-X)^0%>d#>@wF8`JRO!gz#gAEf0$ zd_WXw`4sH3fqW+DIw>DOivr86O-$6TuAuH!c8lOk(+!Q#%o5q%rq@!30|R<^oXAF5 zrHt3kT$&xwqlw{0@xdIJ?pkuF1mj4-nmdaXd8n+Vu_pGzmQ7B~FP_I2dSzI=2Shu( zZrSi(Ush`Jb^1Kc{C;-834Fafx--P=JJW<&Z}g1iyO>Uzd92QxEm(`c$3_8tR7dVtkPJsNGgf`a&DAXZS(nI)ATdDda| zh-Wo{O3qVw0v37dZK~k?n;)=S&lcdAxO4eLAsW}aMl0@Jz?-qnl13rhTx(u;yEoO8eYGH-Q%S-1_A}_E|43V9&j9~!S#phUYk9bbe zS;>T=tl13=TLAi@m>qkRiZJ3K-NGL6;+|#eYlBwkfkb5g;0NGVT-w%OPP3cIdH(YU z3=4B%$Wt`((0M6@fyoZbaRBF7#pnN^?){(|09?oQ1#;xlVXC@CLd#L1Y^}w2j`Ucj zQxLqN=F?UP;yIQ;+_HeL%R(TA_T6_GHV1zn?Yi)-_+{KODz|(`6(LqDqSsIklbieN zYEne#u4arX_z$1(AAKvBDp6<*fcQ40WCd0u1A3V7O0i&-lz1j`JS#lIp0r@K|1Ygc z9@z|J6fYxQS44Q5iDmw>KC&Y4|UE-Mc%tpv%K2XCQ#ES>o9(8}DKm3#QEe~nFoppo^Zb~i5? zwOL$GSQW#*^dKtJtN126r+T_+(4_KmrJpcM&}tm>z%0AWCvJXE^B`CBO~aza`5!Ot zIs>hALd2}4i+;I!o+<^i(sfO;m{3yHH3P0c2LQxr3d97X1OL(0qDXBnOtjwn-eV3}DVLt|%<7 zsQ&4DZ7Sp3{N)rEROh|-Y7F6kDFovTpG8%t7BGJPGNTiLNzS`M>)|y69t0x=!U%|5 z_!Ln9Rp-Py#>mHaPMVi@02CU@~US2>vblO_qX$Qmwn(v=t~EFUJIGcP4e zDz#uUHHg4pSyR&FBiwxTR?dCx!M8Dr2;v7H4$V0EolWHgQkV?}t@x0ny#Zz3*jOR`KUDn1)3Txjj~E-{}G4YIIn{RT>kc%%E_)>{HiImMSzru&RcynK-kvrLcV zQi)rM@5DiwRIZz$0(DQT~_nneLuugMOV3{RpmgR zqX?g5{$9)!{fgqYE2N5hraJJFv|<{tI}Ka4?UmlRnO5C6g(JapP<`Y70GmDb&XTfNAlK%E5(cx~0S0#JDh=Q&Nu#p9jOUsu zNxcun*Y#EAh-XH+K{5akVHSv{Kf4s_-!x$3W4Mw-sav~!5AG@eJxTxrHk3ApFV7dZ zUL5KfhCr^=7{(tvPY~8SQ>X1BXo#7)%5U6tT!){rr~Lvcobw2o3rp2JbzPM~1Qbe^ zU#fo8RII2;Kv}!-pSc7xF1FVzL~wWjM2cV$zNRvR9lW)BZH6N1p>xJ4LwRS}>{ZD~ zNsl@PgLt(7Aqx*E)*|L@3R@^Q7G~g7ipB{AMF4?h&Vd98@=>td)Z{?2RjN-K9~v5Wx@a< zKC-7%>g81}#G)I;XmLS$T3FsWtOVWI#7UlNDWw~mBmH%1i*w2(FjoNBEL7KYo~Ncm zlJ$9sXg-i#lXx-3cb_$QQX6xd zeZWn{Ee8~->W1Bk@g)6eLk!NcDhiy{!B${Vb!KbD$FcOyYd;@J? zB9xQ&f`S;~!tafMGdgM+EeNr*=gxwh>78a% zAaFiN6cD`cfI+CnE2zf9q~bYF0r>Xg&d5BGXHzmikGXK|(OC33>D>%&3F z#2{iJviXFcfsR+!x|ymyIpBnEzhds~?EH#_05w1E1@seWGZ%Pt#Fjy{kW;^!wZC4g zl5Iq@h2ORo6Ba*w$rvW~y$epKqS7C+K1j=noo68v{~DW=PvH^-z9hM1c?^iVD}pE4a%QFb&X34B}}V^tAk>&bdjR zXYyhMc@KY_T{GR-d_(h58twvLdlGi`IdOe!PhRNPD}VLdM=x3Zeyf{y=0<#MWpi+G zMQxrhJ=nXzBMaDg61{if;@L(g4H+fjmLE{mB1%ySi93Z0L6m)}`zf3wZ_NAc`oE|q z1FBK)`iF5+&qrZm4bqK>T~yN7V(dKyP8x6FG~Bj~+EVb;+!HuZNm} zzt0|b6<6H}ou@?pP= z`V^eIEKJa2=}?3Bz7SOGMx#I+s5a%^Z8gDKL)%ta^W%}x`dH?6@r8ni$T;6ZtXzHK zUq~}n^-wt#s0qy3{{|$Rr)e}RJU)?^EIh-i0=g$AZg(N<^mkrErR#RjuI-(8i_T>; z{7`4>)#Hp7ynCcmq;$Njb9^qkVnU*F`=C-{hbBCHbjLfoVD?!W?MaWrn-_#1glAGp zzn|TFlUmn}v1|hB=@Vg#7^4m~d8952g(9&}L92Fq*gUi^14qcVsl|qqXN#D#vBr1H zww`@sD2n`#&8)Z`6*NmRKr(So0n8;YJUpcd+T>s8A6g?AoY5nAuC(>ZUI#>{qf|D- z528r!*ORpo4WE+i1@z#8KZYoIoT^>ivM(gH)vgN2R9XDU=X_bPcOfSDN6dA#QFm$K zn}ZksP~=SZ>6|Jo25w{FB>3>)zO^0zYlG7g}jQ+=fu4RVAC_HNW@Lcsu3LxXU?nfz%gy46! zfD6_iqX3zEeQ$(A=A?+$E|ambIRXILu_XKKSfo+^i!Q#QLMb7J9a`FVm|)z6ESeVE zOKpF(f`{7M-ao#7i0xrkcv5lsQ}@-U?jW9`AOC8ZI`97|KJ%e~(Kn40wf<_En4AA< znS`WQ@mb@PvcFoUPW_#=@La`?+qJSCitOm0|7w{!7WtspY{cZxk*dW1uuRN{@2yZD z%F~nU`gmHY}V>jG*R*$LVo%;S37p(ioAZd z#9C8$EvouTc3Dn)+O{;iZL`I2%n|cUqjPf_IkK;(&^ZY-&jf^7B{4Yp4a6MaXR~>1 zYuG1me4Z&$zQ@nkzMq6?4c;3Hd@q650RWkvj;lToBobhV#kS&Qm|=s0bse(S+S9m6 z0nUgW@~D|b<9Lv0JE}=vrU0zS@x_E_Hq2egD&S}HV0oXW$}RY9Y5?{tw59xPdbln` z2+D4PisR~{W0MzIlY*sgmFvc}iY%1bkqLcSr!K~HqznUOf1-`~8QohjG!jZW)Qt&Y zfL}S2ByebC{1AHMr?Euw6v(Wy^s$KHDfRPO--In51F}{hWsCjVwmkEi)V;a)`VWuh zinu|-3RBmgZlhn>sWa$-1`b$F|*1`$P$?;9h3U`u;QvyyF_Wz zMNymkr|Tnhlxl3Yw-3rMZNpt3Z7=w{mxj*#)BI5DZZfa4>RSGD?B+_`i^P}5Zl|ss z5Y6@p!A2o{NX=#0b7VpsV#GiRx1Vx79|)z_uJ8gRUf}cB!_?3TMI=fIvI7RcCk9r$ zg^LG!puw?o`n<9Q>QkX6=Ns}e6+&vNk?3*|Zs*5}W3!{66=8vEqRz=IIQXa<*bT<4`pUhSjO)JvhlS{uGHN7_^FI*CaQJ zAiEh}jCF(f2B2IrIEMJ)MB#6QF7cXNmWB>NzofAY`FS9_7^LUPR06<~+zqOxf=}T@ z($fy~lN9xwK9|uCLSz8!Ml~P4kVp)u6z}V>TCYkso3hi+bzY);)`$6p92!Y+rIJz$ z?5G^G@^6^*iS)5Yl(syvk!?w@ddbF+2x2aZ;-&J5s~514sOk8K1*+u3j&w+nMTfH^ z&Jk&H9PMy!Ob_2^6X6#Ut=wYY!v1go!>E9RXx0N^S@}I+JRqK-hJd={gXK-2HoUUe z;WS98Qq^P{g87N?5_QFqvOa3Vp+H7u#z~|srg|oU0(!pV7*N`GPP>u-KU34yCs)wk zu}U{BEU@|zK8+>gV|oO>EUi>czQo+F z$}F;V$Ql~5RKKqFhz#*>Ryf0a;znY4cJzQZ(k{VMAci?n7E~T7MHG?}AUM+<{|8?Z z&lv~+u9A3o>H@zg2OOl(wP@b)fdnz0IOaNL4iYheUAjF{_CEv@XiWR7U}8Afpo#w} znB+_b)@KR4mnck7*?nRKToCyU03nAhgRMiv&H2VMRN$_RMu2mo3H$tx>n(*0Bx&gZ zJW%^LfbG)+i_%jIq`K>!^HDWeS+TB8XaX78s;h%W>G#H2O`6-D8Neji)|wb6Xo;#B zU;3Fh8}if8XFVS&X3>@Mpz;ZW8~%=qP$j76_;eXU9m_wN@($5UebVYfQGOctIGE}W zs**~)$cSU+hmg6fOA0lX4pJOcgJ642hZ+Pp@SH9k!8}P)?QKrBXaaDZaIfn3@fe{7 z9|Y)70>xlb44MPwjB*2~;QREhm{C4MO_HzJF|E~@v+0x5eLbvf48N)n4jbag*pC}u zW-_xPB6UNcK5spS9qR^fdSIZZ6fsHQNc>dK6&0#qUb^~5k#pc;WP>O^@`_NCkV`Hvr5NqPz5%EjQwd8=B$%XWl6Css#ZZ*r+{a(EokmqKhHrv7I-C5d%@HZNKkq4D(AUhXzv)diiM&K_$1SQ9)!hm|NPBUT z>*pfyUXxEOq2ujbP{qN$%#?2BB_QK1+fVF-fh5*rGWe9>;L=BQvc}MIu|s}^pw%si z%3N2bmWL$Opa=wP1$resA=JUWPxRl#u5*oDk)3wx?Nigv(7e9P;BU7pu}|7i?)`Sl zPxn0<#6B!2hdxvvixWO3GepW^*sN;Qc)w8qS5^s}rRXkTGCmcXaXSHVRU#Y|4X~`l zfNM^~_VVJt(JF^sITd5*o;^KKi;ORFQYFxNWU)CkT}1-w065UV?vt8^p{x|-il&=E z)YPswX5~xP7pt)D(li(%27hKL1+0v@r$e&VAuTxQi;fZ`E#%&d>g{(nlo8ip@L&O9 z5rMHThGRkq4&co1!(a|T=6m25%i)V%OZD~CSTyS#5X6Y4%2Mdkwg5i?5KH0N#V0ss zKX=Q9D`22JsX5Gb<$_)8X?PT!!#vz;yG3SE7OApAgBM_d!g%)GhwL$3jE+E-FbXFM zAoQEW`}7^G?%mIC_+RbWoCaOo)r40gmFz2LAyH(6USM(Ar)3!e+^^v#5|Fz|yE3i3 ztijL3`U3i=oh&Qoh0uA!2M2u4MKjG|_;>(tg)TO9KQMKmJ1s>7{h&uGBsxEHo=7Pr zNn~j^p(fAtWp(eCnf96O!)*5Z`)i<1A^fkt!2V*G%Lk_e|6-V2Y;+8Bi7|O81$Tgw z5*Ygr!^D0o!u^L~%H`H4=-{8rHWxxt;U^TglLzO?{-bmV6Oj3728}Qu4=3#csZH;e zyx60tT(B-y$FAgWW1O)BphB3?IPlIKc7ipOt23Bg3&1zUt`X!cj z%e-{JHv|8GVb$lXmRuhy4onW@d*-9ljpt-WL$y{RW#;@3$DzR#b^{FkeSYb&G4_QD z@(qL>6NKh~Bi(SJ@BiwTqKq!6cSD`!TogR84SMRl{E9&`g%FlAL#V_MSg`=k>aNjS z_zUy<3|0h@tv6Te9x=)WA!E8&i~uZ61kM0&A=hhkgz;BN`7Z+zcD4a-2X|xwfZGI^ zL~o$~>tEu%9O^z!%G2W z#m|;bl*pR!@)Dzd>!w+)(4;>N`m}~=0|{q3ITjpE`t0g$>fiFcGn9@JwQFlQM=uFo z3WG?H`Nu-n>dHfQ=m4fGgKwPNe*mWJQ;s>{2Vp5zI)KTX{IzUH=sy6{M-;j*|5_1{ zl)?mSg8m@{^H;}Jt_JYu6E4gG*h~!Hp>hKacDWQ-MnTJL9TaXOvhvXwB#d$@mcr@q zgwL^y+W>p%VK}2E{`YSaSv*=bK2J978gS}7Y3}?~nLgNP@}1~J1y5tG;v+!x>KQhDbn3sz z0BMSr^SPKVN!aos`v^kl$#O^x35dcl%ylt@W3Xzj%u7^j!(}}NRU1MF2MSyJN+zy2#;CY`SygV8@k*#C-`6zjj@Wx3Kd z^d*-gorj9-yz-p==fPx4Xva6%|G-OyOH*}e|5#A%+i*^F@G_(lv42_p;a9GOf5FSx z7Fr~BW?%8j5goh)Xz}f%MQyxP1Lo^;CGk30>Ui_dPs|^$ODU{Amf`0AeeJzN2u96% zKM1op5GN>{&7h?yu+Rl#;M7^J;*X^;tjc?{OA3AfGOAoLrY*S+^aHp&%3%v&waD^1 zxq~{|xI6U-uEP3m2E$ZeaK73Vv4%%DUxM;11EbIm-=DpM8=EHfa?l8`T90&ISzmIw zLtiLno^kHqc=k~VFfNW^pX^jjVB<<XhmY!< z$#wr}mtN=i91fTiRXA440f3`35e(AhxzbSwpt}Y!PjlVZHvLe*tWDO7Ri=<=5Wk!f zRKvsanS^IBn$wHQP6sb-WCePGLRlUR?gb1i456Y@0>|{0D+(mx`(YB!82|ZS^OA5M z>A@L9##@qQPlC-3O`cdVYaGf4fF#9&Lz2wOMrRG)uX8a10jFW zOXV$&e(NA6yP*G}m-ydNmW-8+PQd_u`ivPhJh^ZMjPD6S*yyVjgF@$y6?g5IQ=unFZctJ(EI&=;IJWVcf0j zv8c75y3Tfak3|@2W-62N=#M0A$5OVncaU@ZN zVY$6^nx&dXH8Q5=W>P_Dkp`LaytjHTLW7rU<5W(gASquTv{lW>wI#%-#$)5^M0ev| zC|sbz0^M`UZEN;(Xn>L%V4f=FqKY&AzN0#FI>1gc3kFcf3##LjqfatBTg;u{fTA3} zXPa2NM9Gd>-Gr*thvx7pyypjW)NGDW08;El^P0&WAsj)lu3TtAgmnerd`#i2CPOY! z5yu2UzovVEK)4qW*II}WM6(I%`2L`5{nai38eixVyx zw}^?=+=h7cqg$AF3*-P~Ipc2t=Wi+tNTi|vG^av&-j9B8JDw1-6yNi62xww z0Pb)i=V9ZLglMX9PeO25XglFf%3LI074I|i& zJKS>QxLKmu?BsLzL%NDPe=f#X%3YhY%}=Xl~0 z|NrDmMgG6?<)VZ`aOJIEIYk5C84i;iVAv}E_kZQfl3y>h(Ctt)BhdrN?~y9ubommi zN|!GI*QZYC@+JOisW_CGhsMRfEAQIFrGS0~JtG(LAh?;)DYM%rP2*-H>Vj+Lq^_%D0eND;}8 zKheCz$W#1m4d3qbl930?DI@a9<0Zn2i!E~bYWx3@FPo&@cTk3-5I(uostS#EaQWMc z8+7@SK$kB!Q7^x@Mx6Fl)v=t?Htl#=*U|O-D4$>XB&Wdr3Quwp!Sx-K$h{Nd?kt$^97TUJif(_Yh8Kim?;PQO7u7u;@v zcd`1Q(f=<1Qvh%t=m`KY(g5i-1C|sF77SzQwHuI2>P~bOy;K?{x{{iXIxjrmv&1V1w7JY%trw;Kx2 zntXUAZ!{+?+|0Vt@}Y#OpJIBQB>h@A%HJS>gLkICo#G{N&f)pYN+b6p9vm6=d_>`JyR(5TNy@jD< zOTtnCMA}{(DwKDpE$v_1TZeLxKwbMxR-3BK!!5rr4?V4&sCRfKT$MH@H9@=TIqkyJ zm%>rt;NF)v>&%cfO|=UvubOp=#6}g`-4tRh!rRej72$GKqgfAkEdxH!Y~SjYw0o%% z{Lpej`Hg%lyMyl^?*R^Xm|aKukR2C5C+Ac74D#+E>6Qi(;R{3lme8QKGl;A52B@`&AWJ zFJv}sNxgqWYa3I3ABe3ZcOyD~@IXTQMUov+uO;~E^<6QkIr+kYPjifX@)IUt^PX=$ z6fPw)Q6!3rka0{KU!Drz)d2!rctYJmK9)vIFj-q|`c-+~x;9!qq>$%oxmSfuvMzrR z$#-eliPL6NsxsUTOJK4qB2$tB7%vsF6hAnb>&;Gmz~_B7m*KE)91Y`B4(Sc8yfO_-C4v2hA8&4JTYm&xMgThYyJi`t@BLbq zOq34L(_(cewtP5#A6#Y4qwN2ln>Eq%1)#Q)!95gP5+!!h#IjvK{k@0dO6dSKQ6NYa zdOlaey-w9&w`4%;r_Wtxooz%8yyfhu{2Al>SLxxX0`|$oRds>3(QTASQklFcw;*m1 z>iWH^2qWgpt9m6Sh9f^T<$=_ttr9DXf&68ry+l-0IXv}we$8*mXft1sjFcQJK=r&X zZSJxFrO8(0m9de|)RVH#CScKi=6Ph)wP6RC5)X%`Uoc1B+%M^Ce7td9?gCH7Yrj3b zI7jibx!4}Z5O62iiLaKx;9&&PRdMlU9qKgh;-A5xiv`O)1*&W@K6iyFX;M6AVD&Dc zTbJ!ie4rd$u(Wd0%8%+4eVH;J%fecCzq0#lxm*duA1uXLSyXBJzHLJ+fZX5!t6YJI zc)czu&I{;&E2bK9dbk8_Y|+KYYUS(mp1rcrgQ1%RwaoH;lS!4lj6(Ew|$tRW_A$#_mF9JSsqe#`%}u10BS;{1htXspd9 z@<*6)ALfjNOrG(XG&%6=F8hABbTQL6s6uIlx+IU`4g`NiEt4`2C6fZ2(Ix0lrB1=U z%U@P(WpSHLTQkMur6mDFzGe|NmrW#UFpQa`vLgamDj;fA@++Sv-#UiF3hg6tL^6Ix z`--IBV-;!J&$!&ZuYF@;NFiomwzFNbg4>D3z&5q;d9!|ymmCo!jhwh@&|I0Nj&nh| z_fcN$-OORKPS1$07+ufK7_yRBBl9JpYeJ0-e%1n23rk(iSF<8UXhudTyY}hkQTtJ1 zsg?K$Po|HZ{AY4 za&3SJ9$44ixMNxoI$vh+zIutJ*|Q?ev)(9lYY00IbvbSqRmMEiFKpSo;PUi7O6=jt z+|HiIJDCQ>8|KQ#st6jP0$;90#=f1oOY1X6o82FUZ|GO5HtNCU~9|bXs1*C zg0LlRB{F$&sayM?{ggE-r6cxS)tN*cy=Pdyg3N_YIt%al(?)*yWyVgm_OuI)_WYJ- z>-eVt2fXrgwM?x(Yq*WT271iCJ0hbY;7F!w${q)oti{8!y{wV(swP4wNojcchig}aQo!@)&m(dL2tNVt}dn` zX}7I_e6N!m-bv2GJ`6kirH)iTl^T)fHKV){eA{%j$3!{3Rk?q?miZP1QVRCAeP=WJ zmcJ&)>&wn*>o6v3wXv!SFh4*D`7R~SKf$~Rzuo)l;molyqcOe2s^nJlwXJiXo`SHa z6vmRZ+xCH?s`tP6+Wz`FFP!n5ZC>h62(o97wtMe;N8w(bW4@EuO}XyMvK<|&UU==&)eI#5NaQ#*b%NVCD`;mAp1vS&8wS^81=Dd|j4=Z11BVs{z0H*Jh z&?6;YOAqB^efeB@z6UF)``Fta644Ezx6gY=H+SC-;DNP~82lmN(l-!UOTq(h_C*gF zi$hZlcWjNVxND2hx?bGNXW@nyG-x;#=B-c^UkLoAAyMMwh7`fqfy5F+0gSB?f1)D? zW>bq>AwDWMJppOs-(#&wEOH*Qru*=*c(;}Ao9Eb#cDt@`LKD4kjCneV8tnQYF%dSR zdD5)*?!%}hIj`dJs7mbZM`2z*n~;&-B!5_DD=_)4N^YVln7ICT4kI64lY#5F6hvYOo6Q(Q1p(^P6#8N+ zUGfNhnyAes7MAXh{^N1A+&ioh@SiH>rq4tS>_!ve?s><~{Jh{<-g z51>qCD#O!zhya^pFmr9Z%85@5j!1F$7)0`D_1!uoz*uS{rARDlIHE~2e4F5=mCt^l&{6zkzRQZFOEFD*q9UTN+_8gfXvhc zXc)4;pA!@TaU^1$vA>$a+thxzKB#>kX;0snJGf0I*dKX4&v_W2kz~5{c|G~lgkwqWObM!33xuv*_+7kHZ z6P6`C#b)j^fs50^^p35`@eeF+JmJ~x(dPw6XXi=RPJkb5WpFZI)7&z}63W9U(PI<{ zExw)kk(`zA&ypLe;xp@pbzhUWdIPzO?#hbXIm>)wbMCISF<`Gv&IO53?uMsG!Q>w}Lo4~j@&2p+Q0EXPb?DZfNiCY4tC)m8s=E07>L zQi&=tj8=HC8oF@$D7dUY__+hjkpj1DhbrtdS>xb?Xj$GtA@&oF>)&mYi)jhpqIu1X zs+rwEtsaTe=mw*w=-5y+#f~f;p}+gEVUamn$um#cQz2m8biF-#yQFceu2FQXaW+5M z@W(Z=YN7(p8|+>!Tphg$sA+AS%ccrVbOp*Ru&;zD6LXGK&e1-sW)RF#yfql1rO z5N~6rH-*6$?V7`C8PuC9{hmY2epWt1S1IqqwIdl{P+$jqar)O=&M({6Sf#i6AQAyg zYqp8ZAy2mZlzsiAATd!kdiFXu?A;BXdT=#zlssGtXD9e&ZmHLZBA-1X2=cPSuJ>ks zm`iTeziU+$C{+@^l=Jvybgi7c4?Wf_4$F?iG(Fg6dgMTwrz0yg6hpxPps?oE*Q8k5 zYEv?%dBL8k6xUfgcF$qo_cA{Ionf0g3H*8=sAXrXgv)8Xmh=6+I4iHw8dQ(#yRtAh zYq5Xzs#wG1_NDLK8Q09)x53h(?PL~d{MqlS^#UcMQF)_w?5MhuZRwiN4lk3^US3Z! zM329G_%+jXUdW2u+GyjM^Ge{)k}Q+i2V(1B103V%Rc2--fO9SQY!S)Lmz0;nx^U)E zk)3am6!;VcdKK5aVceNOWiD%CP^SQ*UUo(qLww%!h8!_9lc2eH28WW@Iam9+w?bHF zb&n>}?)>6u;bKcPpxhgV4Yo_=4<<@l>%$%GbuRPi4QJ2{E=Q|amp9!lF_C+DPo>5L z_Y&QKd_$CJN|n(BW2r?kwHwd!f4W|NewVKQjx~Y3{2|Z0ee@}<-93P8YR_3a(###i zJQ=(~y0;-v81@1h^aASf19*8q{^9`B!VlQnF+>m!Hj_xaOaNCBz-MvL&%?b}k#tCt zX&k_>KdUY!@M15BvMm~OEES7TpsA2jUpydjrrNAJ~+0{+(RC~!E* zdd&c}F$0Z6d&KM`A|918)k0@$!8=r@&JNnWQ2Sn*2M*H?xoFUARCjM76}m!YeSw2M zW`0CSmyqIcM&}M_2es_d7Y+&Yw-S%u<_^C;wGIFX`jPK z+@^P9;UNCyVB)L6Q&SAy{x@7gP;6AT?s(S61lAZ*lLM}=WoP(9@x42^-WZb8pVkq* zKrn^`UcGxyjle2pG@@w=(f(&rl`?V)X=_D^e@$WWAyq9n<}_4HT@LK`6kO~^SX%{x zY@ATv0ib9y>xT@Bi@z4fzNk3U<{Iw5;Ah?EpZy?)0hul~SYA-ctW6yN3XOr@4w!!) zc+4k$^OfNhC2QmtZ=>(sMJ11m)IXNg&58HVWu1dR96{v&(}N*{xjqlu;d%`mm>5Ty zj4ws%p@C=jff)QSm_+6Nd~f>3$VF3T4#0bB94r|(bsx>NLx3IM=>L9og(9^0LTk}e z1}2-uVlc+=#%Z**<@LhI+YcktT;wPcyDC{E?^~&~Ar+t-q|m$qz#N*WKM#NmAlcaI zKNG>N=78l7Pyfh_of;WPn|Q>c>qW zi3(J~1Ac1(;AqxA|Mbu{2@CUlg$6@R2^dC3XC@mN@MQp8pcCXsW>^{Sd7^H6p=Md2 zb9qqk{Z%};h>OMO)k;n}jJ*3^Vsxdv>^=F`c6BFERv03${pmXn5>4IG_g<040=1C! zth`-&B6#ncpS=cd>zS<@+**Yp&-P^@+XzV6yt8@}JEKcG(P)Ng)tXO%vulX%FVcq4 zS6?J?W4z5sZwhi*7`%K7=1pMtlk0vcw*LQ6b=PlAzH#5c*Nh(BFjAV)joauHkS<3z zjt)^5bdHpkW*{*H1hFwhxAC13Z!7MZ!m^t8at%Pd+HA9?Elm6y1Caa}3*d7xe4_ zbu_TFi+|L*@GZ0e_Cj6wng1Ry0hac%%vfPRMn#FkasPQVz_L%j1}yVPM|AA#{=7K& z@C`gH+vZ2e#n0PCKO(OGID`NEzF|G)&8G-FEdERF zt>iCXQ^1xB(6M*SyJ*%Mqoj*3>Jxw6&p<(BQ4mwqZkC^K&iY0x4fH4-9uwY=2DJW{ z1s1ySA;lBQ`HQt50Z=IZXr6tjd-iu29wH^d9k6i7vcx2{a$DoVH|q7nuD;)$YDcK& zW#$qPhJ(n%&j3rczm`v6V^5A|d-t6m{B`LC#hqAD7cQ))_}&3WQ=eV^w|f2G%Zon( zB|Zn9`y9b}5-9m*>mzv&Z6RlXY(=Nxr^tf*Kgo8ZCT`9A5e1yP0Y!wl<6 z72o?VGaB1j>;VCS>i%s{sH`l!ythjZw-(CeGb_y^Ts}NS%Ga7i=k4VHnOtA^-17>2 z{;Ve|f~JnpIR^wo=NintH?m%cAYJ|*_vg;A%Ps6`FqA-QWlCx0e|`Bp4sc_nKwgu9 z)BAvvWC5k3Sh=`@8FdGj`*y$PLc*%nk4`=W29@Vt8h3HrfjWzV#n3+Brsiy-IMP6m zD^9!BELZX#^R^(|OhO<-n)fZzdAp2F(fepY?lIonvQShOGN6uoWL0MEKfC|=(Cq0~ zONVZs+ZgtmS~)x1X2v!vH=m+o(uK6!VNUH1*A29hIY^Kwz6;nB5GW8>ut>m|Xr&;q z@L#)KFz}(Ek_!9E)2$wfk2S0{_o^0@)VTk{I%SNx1@%up^iytBp9$$c9pl6pfosGp z?rea#RgVJ%!`N~#RX{lA%*=CYPV_CkI3$D>q+0d1R0000kof%Q7Xi-PEXdGfcB3}4 zs1j0&SX2~0mgW?#rw_1*$TXdh;H4Q-Hg_uvgg=_Jx@i=*@jSMYg>nC;f%2VbjsWJy zO6Q2XhXteiaA2Sw>82owu65oaw}6NSc8=y@*tL+RWZu&vX0T_F{`XAgVeT8sgU?1+ zR7S9^w!Qak=9J8Ny=5xRr~Jy*UyN(n+by|ryo#z2L463ck+2^@Tg|!v!a0)`asy}H zBc(EUk_JCaWrXN?3XJ&poc8OfwE*I!MQ6JMm{kWU#0#pU83WSHczh^8gw#34r6uPY z-ga=zc5&0BB5$+xo6E~afWhySCwvxQVBV753r)@?>%uXu;B&cu6V6MiBF~{LuzbZS3mAyR%pQHTi$PX z8p%MmRqxj)M~%>{LXfzn&1vo+JOVeJ4_5+MC`o05eXU}oM?J>w#Wm@pqk9vMfv=sN zLq->!Lj3s*$Ai5(2=%BulYvJrlQtH2_28&w~1W80YIb} zOY~1~Zw{lcJ0B!mDd+EY6uY2pJC&sbb?O$vOuJgbMgDWTiXw zI62suxaCdxtgH;gDmju>TJ1P2lS<2PJD%UqZJJ7p1FlLkRC-0l6kR(z?f=E(+&dEU z3^+maOKk>(XlwEbrQA{sR_zOY+~UYy(9Rzr^(oCGs^-T5$l^=tlYD1eC&A3%Atv0Vbt7oxzB_=goFtHRo*OKrhrno{1lV$N*o~TG&z|(L1#dj(Hc`LL z7e!?8p*G%aU*eM5Z6<@xXQ-OIC=rh8P3o4ZRxqwG^lj%(u6$9T%!ea+t!q?Nhqqa$ z{xWrR%2G}_@)ehFS)yfZE3z1@aM#W#?lip(HC1}K*p)gd5q3U*?OTXTOIEYGLq(m3 zW~dwUct$@L;EcyE*{F%DMHK~xGbOzG@2J!5@)U;2psJQV0inm(mJ*oY^1&c?Pq++b zHo)BVVOy%BPP$Qpf~i#=yUM1{Wxo%S^n;!#1vbJeZl34ub{EZzK zE_ZuW+s`U=_fMrUaVmv%xY?A6t(TYDYa z&*awCayRD)xd55+P-vEm4`)kX_V)Lde+bFaH|3#h+_YLSdl~T2(~p#ArF-uJn@!|t z`%;p!zhnqC?f3cf>YQ#=%BO`}BuPc*rMzd6tU5y@#&0b63jFqMFHjBEP7Z~B7PuqC@?a_=`|?xROjv-kD$NxBNKDFb z?|UR)`@8nz+2?vO@?Z`ML!#99R_pn%uLFZeaUKomzzZIoMD<$SlN}0!8>W&8W#44( z$m}qdwH2oxRy>P9yA8a|%$#!e_HlJmQ8*21UH=_$G47k%Wyz9)aqD+o)m#tT?teY) zWE_$>W-B|^b#|GXtJ*rfn^+DQ9dJ6?hk@2e z7akSV|FWP@(@aO&Xn*I|BTYSb$;S&7hozp_5&ZAaY9|D`N z-lFlR5AGvl6~b0ti&-YDS#g>3$}xTU2_Kpb9w-Dll^I01DJ2Re`>cr$z|HIX#~^cZ z5|XZcfKyjWpsEG@Sp$FJ52-LJ#Pl$EK6(^=V5UjXe0|kstCwL#9%!?x(}-SZ{^@E~ z#j6gts&IZ>r>zk1u>Ov_4UGK;Y79zo#93U%@YF7pk7~=l^nW`z=$kz3Dc&tv@9=Ux z__pIYF-P){2>s1}4O(SRbF-;cR533GY+q1vu{i3!i z++8axjP++~ZT-58TtCYiNx=TiJ=BWnRe?6Sj|?W05l%JfUsL*51DsroULGup&;ZPw ztJ_zQ8&E|G@dcXrjBYgaQuU=r>3&MlE2_xVX`(JQ!}yRtnF{5lsfkjdsySrxu0BT` z8O2;CjMEguR=dnfGQAT+zf#~2qD`DmS5DW48X##@Mt|IJ_a&1BmO*x+$<2J-mn?eA z&RYAnh5?FL$=2a7d&6@3y2A*rBijdp4E1{=Cu~&U-5-Cn#-vp>-j3Y>jWdpcb|_$> z2=pI015IP)Rm$|i>xdvk!Rdw1kBwIGrXth~(VW72l7MpyBG?r0RU{w@mu*RfCZ|Bu zgsL>qM2+3X>jSqM?|{M7`qo`uz1lqA2*#Ut#v3AXYB=6XuX3yhM8694evk3WCjb2( z2ElvGea?hkNbUnq{$8LV>kE_NrM#X-ifcAKO8L5!q8TBriRQ3l{7 z3YDgTMU7b9)~1W>Sob=6j65>A!Dm0@57&|mUuppQHgv;h$yZ)MO%TG>qQa63eC;Kb zM|V_aXq{t-4&}dt^!$Ftr70n@g$8zZYgAoaX`B_o{%c|Cl_H5b2cG;v`ZE0CP+sBt z-P&uWOtFY;76QRUkfeYjCI)3+Jch*{0Fze1aaBaCLF(93sP6QwMrjP6b6(~g_-v$= zn2}0db3v$e0SFJ}MiR_CdAU6x2#Wcj9@~JUxsBn>?ZEtj5u&vctCEKB$Q|9`K(Gm7 z-Y;sbs(fa#+xi4IF*Ag+XfP^ns2k}F7*VmCdMPu+lX|u*ZtAQ45Isy=iI(|uWE!0_ z>pw~iTLlFNvV$Rw8wV}#H*DxLP_Z0v5)u%b1K`T0)X8J?5rcQ>-`XT_Q?ewfN7s1qesXk`+N`ZENpeeKg#oSHYIJyck7hi#|<2XCSmK zSn`S7+KcRZKnHWD99u3GUTywhi|qVGrzO^|>c!kZ&{-M@Fnt~h&)AB;ACs9ZYD;lvBjR)U~2enY1 zG$W)Ig{>E!p8L0NJp;KjO{sj=Iqf6}RdOVl(=oYsmu*$11i5C?h6WX9pAVhTDRaCo zrl*4f6rZI?jb-7CRWvwb8_X&8;MGgs&V^;3?=B9PrN_K2`0BeH$rfK@Egr!6HGbQB z+#|d_58y;i!s7`>s2ib6U|#sOy)<_H)`m#y(4Ac61nlnU*QsNa&)nXd095n<+QkRH#p@jQupq_Tou!Y9-AV%I%^0D1z6L zLXIxCgKAG*((Zp$UMZOS3KJ~M{m4!wfb~oKohqY>Mk0lDI#O$+=p0O1_bd;smj9Qt zY9H(~v%9KNH~;c3$XV7#*l^`Q=sN0fjN(ct(FV#mn$|a02jR#k&c|7%3t%yMwErIo zyo__j5-6GWA_B*xL<30>ij9n9MD$>HSh6%WK)efN8!AL;AqzJ0NGK&ELOwfsAq#*5 zGoi_v_U9+Khx;^DQjPOz<~7qYQ-aoPVU6UQne~@emm+?jhxmF&Xjm|bE#6*vjum6Q zoM_Iv?d=}Rw+LC|_%vB{WX>`JFaZ#kNGw48MQ}TFjbM3Rp|DfieDk1vOP%`tSN86i zD?1=x`)Trx6p{>;yqhM^JAHb6OB8>a9o{k$0f5Zdo*5$vCeyyayqrKi*z*x3m601h z)LLT#=#JJo_4Jq@6O;Am1Wy}T^|ObXV=>!R?D)?Hz^S0G^{|&-V!r}{ zh^>-i=&yCDB1?wIT_26IOG@Fc5Zx+ZR5T$P@%Fq`R#%SKhl++SSF8QRx4Mb1{;m04 zN?c9QCRUKdpsP!YZv#+nti1Up(MNjEmaP?(12x2#XM+O&Uat82`VC{-{K~t$3(K7- z1Y%O#$^PHF#2uF@WDu{=7QAwepZ&TShxFPBuY~(h=H{O@Gyn+e46-rFWEO0Va&#t} z_`gi?R73-l>7Jm2Y~2*Mi@$nbOlJmCG!)SqchWM{ngmcyeV#?z(X>o9D^d{pgLiLU zLj;2^YVoh!uH>#eM0<*M56Df(NDSr;&VtSGyu02jt~4_DV74 z$~((XZ!W)@yz&lcq!VgO%tLvsIRw9l@ROHg-^2KcDRSCB27HQNug-r5Ls8kAWQf%> zfK4wrv@wVspOL&sjH1GLH}>=r3WxK2c@Oww!(iAE=P!q@aX3z2YL0VM?%W z7-6=7pq{fQqZeM0bgddL|opVq!(iNyvX~@191D0UdmRP34omp}jvo_QCcZPI@?Je(rC0kF5-4mg_wi zzXC%7kdeGsi}nab83t5hG#ZGUhQ%SXlkwSlxGyqblHNw7G9Q!jF*~TH5PXxULfuuN z-MGYtnZ6I6xw0)p0C~$p4e?nAz2vf@b>CYrQ}gE*IX+cYx<6YsZ1o4#^;$_&xMk!g zR|;OCI6gja|HO4Q`tHyjb-CqelZyM7-!U&b#ujPy;KziKpW|=w+LWw9OgQ`6nbmQh zG0c&smGjO$pU<=RzDYPCvk)NCDUoIWJ`?!Eyf^kDstD03kRKMOW7;oV7R1OA7!MWV zuu6_XITK2Aa;n%(@Ajd7?HcCn69;X*;RHW?78w3TCWYkP!19#)xqO2hg*U-FGT>!z zxE%hF#i|_a4Y5Z!MR0uNR{Pr0`{}Ud71nn?<<-WY$v2kq%NtqNXO_+Rrr#k)BFb?- z4zAzN!Vb4#hkYDdH?u-t201Y`;0Eu?z+zFry_(1G(ZR+WP#Bu%)p(DKu+IfQ&>Oau7X<5#kgagZqjJ7X z*LC9)heuA#g-hxV{98YT$pMu-qCp3EeahX4$4AyrW;&}s5uSYFeUfk!x6FSv&@(r- zGt0W~IPc1m`HiGJ)WTPX*RgKra2Cg3Yf=)mtqPjEeM0Kyf95YrtR}`EB%a~?VK4Y2 z-~#@(Nv0p1z`Ov9^H`6dz1XfNL>_0w;Fz8*`~bfszn7n|tRg;a7l>slGenHW4?mK( z0vdJf$;ewVrC51ncwgfDl-hIDQ_7fN(||T+Fj;vwiGK}TyYm?{a=N~{-FV4=xf$D& zV7kJxUWs7)Gty5UOk=AjEqp%> zallSaJb&1^J9Xa-0Z^l2Nb;NQl-!Ku9rf5P0gWAT*4fovr}R-@Czsi2ijksQ7^ zBPGYEpocNldLaR;vG3*z&)iu_mo6sz-qAYPG<})y;c2t^^Dy6W3_G|#P=s24hBL>= zp9Im5-TGO=GnRdQ6_;)r`|cD_^4B`hPv8JC3!9DPNhU>{_N-5=J5GGhII9!$ZS|o| zW=T}3vHpkk%a05=A>p;C&7F*zt?BvITk|Kn#YTtohMyZLg(6_?RWw*yZ*ok~?lp$b zHD*MetmBorVFjbM;#h>Hw*1lJOcg2oflT+>JaSdmwcYdb#3nMhF8^DxJU!s%oANx} z4&4&uDTgY^1ep3|RfiTjReAzbX^brO^!-xd3g_NiwvkbTaw1VTQ$1^0QYQ|)5p<|! z9sZ$YN4wzM5OaO}6J{-6%u439*U7K!2Ro8Eqn80dmLq>`THF>fAIu>$uzpE#Ce%_v zD{P=hN8fc|p3M=xNY{Cec6`M4h4SsO;mU~9Bk3>YOK)5`Mj2ydcTA?K%Ij6otTL-I z0U#voL7;<}l*g+IbkSv&RSUEnfxyJ=Om{!2g|K&xd~C2ne?^Ty9+XndkDi;A(9{>D z>MYjEVcPrL!4>W|v$iV-R&>;IWp-}WRzGOE-5wi3?G%lV!Jg?j5sZJDYLR$ZvHQ&U z<%l3Gm`k1jm64k1cLN4Po2c?L3Cgq9Q3*~q3Vi5Bdu<*H`GZbP%>W04eQx0mgiW<# ziA`YErb0^D1-`+|-p+!(G8i`+YxRA;JG~h?efnzr?RdM&WOB)yzB0AW#U8sWY`8JlJT5YXm|JYc^jkv4(KT;I3bN zRrPMF{d=`${M9XVf1&f*-9Ud=W0C*jh0KiJJ`rpLM4o8(agMYDY1FDXts~d7#ekno zRRL@pNw2?m4{HC`4%<%^{LwNT`S9P#pFM9k&sP)8N+Kdx26k#HFFe)xl4F%nyEXxc z{bg`Iw)9({E;I_qQRl;uJ5&F`ha*0D%&LKRN1sPtDuH)k)xROwU}+MmGNnk8q@V$C zJG97u;V;@}B>_OxwCJmia*ri43Lz;b*0{<*( zSK2pM&%0A21*&7fZlm`M+)-nzCjptOTyox}PPLScj;UK>;nuIcoI^LBw%+~KqwVqW zY2c=DDYbN zCGD?gB=G3Q31X$QpxrBK1Wv=&nCvkO>OgfBd^_z_atqx<>z zdd)G*7~d+;hwKMsI1AC1 zn}zwcT{qBdB137g@xck|xKC7AJ%`uLP2{`&Lpx!LjYCDk`P!R^&%#Kh8|X>)Q6$LW z5u!l!c%0)NoVb|hN#-)%)R~1pW33rkR@7J;b_0LLWU=OQ`VG}$UPi>n|FsxqaCOgl zg+@;uK1h4Xqw;Oc+iT&_EuE-qpJ4nr9{z!D(WQG2P=%}Chcx`WuPe=Qs%oAbW@0fd z0BtH+Q>uw5;zN9(f`qAi0m$|TI7HD10kpp~7C+}Ouw&Im_GZacpI%mU??-TieFxTs zv~WXE6WRWc?g?w{=-5#inx6Zw?3r!=Hk{a);Rxab`9|LIjUCSQGb*BcBXx!*XFLKS z0+&8I5iXsW#r2fzyIuagG*c*|1_mZQpWSx72N=;{q7*J@M(KN9xz~8j9$=v4vjMU~ zk4YUPm|0OJoVBhc-~1l46Uzgh}i^~wTCDM#e-@W`a_%Y|GE!MC7`NVE>T zb^M9L>1YQ2;rV|po~+w!*IcO}u76?$8YlvSGClDc6MF#FGldrZx>P%a77rslrPAg8 z(#PhP*#81RCg^B|6+TIVh8Zbffe0$7@vj$->-XA8^%1^T6JP`rUd;S((g^KsT2Cr; z^ja(X*yfkK4ZL_%Qzp9rqcY}Z*1=rfpX?XU)N8}uN1KM1pQA(`9E*|yHJK^Vzjmwb$cQWyOa z&z;fU1tg#mpQXNVZ7SAbG+gF^1PnZbfM6R_NFbiDP|>Ha4r>sA(};fb_4&wa z68|9qaX^p`1IhScHTN;9QNBVsd9%k%pVlaIb+d-cAh8{ntZ+erwhwU*{HGE(`#1TU6K}GbfnJxe;LPUV8owXJFPAU0m|_okHk~ zh2~S;ojAoJ#K$&sL0SOwBt7(Qz#h;t<$Hb#<^}jPRQEz0@lhOg_?Ghr@`5Cru+Nhf z4}g3Ios|v5=^`yZ#9$o+awaeomI2~c7XS`oKaA131|-=OI+P8_zY9QYfmlY!hVUH1 zM#kJ+fyjudYB|Q}{`CkbSOCuuOOrMEebRK|$t7|8hEoqLv<#3i^2PAWV7a$A4=|ce z0lY+p0Alt+6+kvh>aRs`7+-Pm~&TEK|zBHpOU(aPU2 z#+m@)jFROZ8AGIi^do>QQD>4vOtl-)UFAR)M-@T9n zWEDb>b1u_?L1>tjwE)`|u2cj&_QD^OufZF}n+f1{p+j-NAh#g*=&dV>J|ZjgB26U$ z8FE2}V9I&i%nowd-$bUp_IV6MD?*y`+d;xdfPx|qr&KdSj*a)3)h~`QG=y3ogkI|}O z#H5%r0*!>Ej|7h$lK3uWjq&=y{I<^y_8&V&bGJ!M{&i&dIo@j0+iGn1DKob}Cg<}8 z2cs^F?exmGuSUo`YBMBp}7Z^An!KGIj$cN!l9+ToFqBbJ9>PRf7lR3LWbrAOk{qjYi-X8@vP%ePW#vqGMAGjUvr!< zJQ2mtZ&^DM!j}G2;Rvg?%8)wf?rp&KeD2yCDS8Y;t3e22g3)TLV^3j(C6gYN^4ErD zpCAcfH8WF%BTzy+K~psHqPUVg0ikzpH`Pyvsna0l8BIrQpPq7va2~1chTI ziAIo+2SDO4Ks-pgPE00PPKx0tA-;^}yKNSoiIzmkb3?G=9$VW(g=cK?2XR4vGnRfQ zw7%MawuclbmWE`vcjGgNEJ1U4f;>p_VajBKZ#0^1K1P9tW`XSYJI_19!dGWWPI1dpTBL+op!hU~ ziw=kz1BesouQ*VAhlF7rl3PS4GtE>#O@U<#J4$NfaKw0=+*i8WOg@9h$|A-PBc$x_ z{^^fH`Gk0c8cE?4;Iq|^Be7N~jSaaq+GU6B59=ga66diIkmnbWdChcR=i{VBm^m(r zDXI0#537TSFwX?Vi-_!O#V>E!ve~DU=VD^nyG|8TqLda|g#u170i|3S*WD+YaT9c` z1R)eteTuAS(d<2KfROvR?lG9(<<(*}T{;I0uJh$3fMOCq|AT$#uOTU9M6+n!=+(hW z69}hlGF%WZfTW#n!oh}Z;Op2DDUxhhI0p?}9bziF1u_6I#1X1Y@5k;ul~v5fzvIR- z%ha2+qbAI`q~3++>6=oz0BooYP9GrXCF(?rigtkwh}Olh?qiA17>1cxZb4J71&joe zA+QBxL&k1EqEb9j97Q;@1vrBTF?+m6c#I)^64MXgeM7RZoT|2A0L9}&AYBU# z8$dl`$e}k`Pq73lozvq)Ry~0Mls6Uc2ihRfa5P9}`ZFbAK<}Zw-d@#Ttyp+s`$5CL zO+%4Q619UPTbbpdR~->=_2bc)xN&mqgNZ1UFW;ntzy`;3@q%q4{(Vx67_y+rd(>2D zWSmNwmH2}erGX*o5Q{#M#$$rY8YVq&@Oh<{P!NG-8c0yD>@^@s^D+G9%M-Lf z)Y#QdG)ybl*@P}77%F{4;u-<*ZxPO*00tSlYI;NLGDFULjPsV-X9`G4c8qsF{G}aZ z;0Nf_Fyeab_x>MwuwxC7o`Tn#1G#Air}Bq{_x#?;m?N$&;iERqjdRm=f`UOL3F^5| z&J7kjpY={SnLm}D*Uye>@72ud8<;gnqBdIxI_m5fhVd_H=0EBV`G)588AoRyoTHG> zf=P~)ZI9Wn5r5*tL&pm)VRc-NqLc`r6bLb@Z!v@L&kOzDp|I@Is}H@5H4Z$N5dh+T zD2)0^I_rx%OHa@}IIjxg%qSHb86zbPpE(AAX}3>H+6?Lx3^QnH#bYjahEI2lZu!v( z@z5WTaLScL4|jVQGBnPF9_V!V%nJ<@L~*v#73^faY;(ahjQk*zh#9GuK$P3UT=1Uw zB-d}66W{8$^TlsB`#MKXeAuHOOBesz3PxdpRyqsyfV{qx{DEV3y)k$gm|~b{e*M;o z=*5nr;%(`D%%8D~e?j^;{{Rej0VyvnwOeNm(@hl!4A7Qanc;1z|F%EajN*g>1DXWUO<`?ap>|{2^an|&1X6g>C?bEk|;VfhKS}0A|PW(z(GrHBh00` zRgedvBb(>5n;G@LM0f44UC?U=*(tokzm;#w#nl}PE$8Cb;(Oo!hVB1`Z!uBI;0F~`$>m7&T|<1eno^7>KoAfu(u#Jf&{wP*BMlH|Ta0YX z#(>IbF$hq%Z&5FFq^Md`sjIas`E=DPB0ViH{Fl|_iNV;aLC?Fi#XIdG-+oI|)G484 z0!0Um0yrHLI9yD1@MFApiNA_LM4zjk%>d+tx~a&dZWLLCK!iEIn)8!uQ@lHHI{~>T&5+n-UD+~wIc?@rOm8h;zq(M2HPiLj?$cdS$3)Kx;!*DI7 zeq^;NU2E~N7b*>3Xk^1WQ^WcPCM$e7#VHs(fo+jjL911dK(NcIRm&KhS%C2gooC{x zGmy$~qtiH)i&kk1Ou|<9j!*#rQqA3jEJ^=%WR2 zT%843)L-?L`QaHIGyd@$vLHvrWE7gG`db#yLQI{0JeECtDZ;VC?Vi_sp;X><$)k2@ z5f)IF(8IB zp1o}EZ}o2%dD?X{0G|$5w_r5q)orGL7|C|15n8VeemZa5bTK*rB-VsK^Dr%9(#ajl zR~4sjHtU@5oT33C-3ujBSwhVjlJJw;8Ev}lVb5MD+(nIXa^_LP5qVpyv`i5#$4w?a zKN{V_MGN^H1aV~BqbBwkJSWwT<~jMelzRbQgVTbfd6|B&%T^ndcaB?~`TmmCn)HnX zqcPZQqh=?&6Qam2g1`+8RsBZ2fx?H7fk5rC)gV4C^Yioby6!yhV79X}7NX}SxGb3@ z1Sz-At*y?4+}^GMPuz-14})Q_c8(mBopm8_0hAv#1<=7OY-AZ-p%U3l&k8KvNcPR62${|Jpa!*YUpQByX~2ihlx^<#V)ryPwDDIkRZa zYoJakPP!Bd`N66tQz9z3DN&=`y*bX|J*TdfwgCVD84x%67G?MFf4*Xw zQ;2=Rvpjr@!#SfFA+dAmtKbDaK^#Ghce=B^KIv^v%PnK0>gEjY^;NQ{>1HS^Y7PXP zrSXc0Qkdk{aE5m_z*;T<_Amn4)eA^W)4;RnZ(w*(Rw8U!42Dinv@mjmp&(9U?XZ(k z6e3`#IZn5k1|=bCXfv+A1m?5pl878rtQ>)=XPZI?`|f6BrVL>ke1M!~ugtbb>DhBL z0rBSgCjgHTEbKsKX;YZM6Al+5Qb9|l3j(8}%4*5w%$Y zTPC1f`EG{L4)-paWEnoq+-oGx2rzViTn#{_eqPgufF09R_>lzP;tbGXsBD)x~ncAn!b z&Nv#AX-S`sR}R=99i5M!+~n({UAV3nPCEQV6l+)|>wwVoQwG_PBLyqZf_wU@u0zV} zw)N|Bg=~QXWR1B;hMY1G#A!6ZUOOTpp2Q&Y9yYS4BR~=k>f(Z>@sZ9#W^jrVgmc%i zK^$%tX-tDlik2`@r)x~AS4k2FO)y_@m?H-vj}$@Rv=Nf;@Vq}Txu~AW*-}P@2KASN z4~R^*LbKqc4~vd6l0xUG;3fV>G;C+n&378?7(r3W=@yW>gZpx6^U?bGAR5f8zwfdH z{sQm%bFLqW6ITVea1UQH5J`;~^#A9?2%b7IVgKvI+@Z>&DUC!DG*Di-5d|9;^cTh! z2(~v*@(5~%7{!s^Wl4)TMBygFWLm^!b)$9}rNLb;1$uxg>v%b)>e|0+`3IBmTs2}A zAN^U=?nui!gJs7Rv%K!BeKkr=Sl8KQ5={8>Pl=J^Cmw^D60xo6668qyI~`hh6fva7p0u zUtTyH>|lwZ2S92+*67+AzV7|;g)YCI1A+*>@ zws=|Z*lvUDobXNA?$`3O*8mb4Kt|il z<(IzwOXU@zp=F`Xe`RY{T);Zo*$fBc8hq=8&O=BB_v00}8{KK(=bjCIe-%2uMzL(R zNq998m^<3NnkSTMf`x+1dqi6b)FS2L`%#rWhDH8fAyu2$&a4W%=G@p9qQ4=6LRWmI2=!dPb7A~>en16}afA7yoMi(a z(al8Dmco6PM$m@O9@2G|-+W}HE~gx2umluXp(a5#JA-6nNdAgm%|_em7kR2s7>FHS zr}1DW?Szo#%|F;7f2ZQyS?~?-;~Ga3QfGirMKj_Cg6^-Rgwv;V5SxjyNb z94OfFX;a?(S%}j^zi@Ws|5mR3qf|h};InGjN*S8>&cOr_Ky8wU+j;b(}l z>XYS7=(D96iCgS3fZv>qK@t_{5e$Ht@1E8KQV+h`qr1Y`{@%4R|K-wuIppiI_x{69 zyj~3Uw(6tJpgV^HWqE?@Ejl_$R#9noNJw~+%-&`*eIU#0n z4nCyj+flEyMtD|U(_WI(BqL)DWttez*?RrWSA&=(r-r{ZxM_Q#dDs2w2)5$3EN@fT zB*5!=mm~25yQ0e}>myZu_BOSx(z5fdd2!q%$K*M@7w?)yKbJ*mjTZ00c^_eaS@gA0 z7Yj{Lq4s50;pMgR#FV*i@kDa1ND6_RN-agkzVGhn)U>Wlbd?lWqLe!ztmX7Jf3~HD#>T9`ui_FU z@rPH-NfpcCa(tT9?M8!Kpl_>k3*Y9IhmTa+Pr0GyD?$Zx=4)<-B&H}og?eAZJccnk zMA>92*l?nuDjgKF`XbW!cZU?Wo}vD2dh+^_+{>4!>s%XMT=(&uKMCW*>x9X(Zu+`I zy{_Ck9=&;2zvc%z`m?&|O{f?7uic87tZ;V9l=o>od&jQ3Qh;*{4ja<4X1Y2#Ra#SNxy z2d~L&y$LlAMrJ5dx5q>B`uR#OPF7h@mpz`FD&ZtO&7(u?-GnvjS^!L1z7gb*r4i7! zZ$4z#9q{L#;-^JGursD^)Vu32VrmS^-V@xEcgHWxXx7RgS&*DlTh4r!V zd_yA?&v|!u3D22CSP4zgLl^z?pP+k?LV}QE72_j&jx*e$=5yn7c41gI6NDPhYmv&Q__8C>8=Mr z2}fwu&!oR4y7s3=c!K#=uG7|IdH3&UqQ54)m!G{QXF)xLI%Qc1#w)OvYV1{9xo#Tu zW&4Wu+bgP}p8hbIzz`9OI1wyaBov0TYPtG5Tjbw+*%n>xj~ax?FoN3G&}++SKY1n0 zHxmGOZ=+3~%Z|h^47I$sVHq^&%tI&|L3*H@exeS8R42hFJ4lb*VZn}2Gg^AtNP6Tj zG&&Jwk4fI3IawqrV9GCRmKa@F(pftbSr59xg3I`cx>D1upKPg~S!OZEo4F@&p$TKJ z$E{pBncwqO*e^xcR!SuF$Ax17t6-|AoK`6Mxx?dCt}sN58bq8A2Dmx}oEbOjwd4^) z^5_B*g+d@LI8eHtytIXloCUm;!s>-j_vyGOb(~lVgZxHZaa901K|#TD|oWz)qK zf^1drWdE<6*7U&8&E#vP{HajD1yf+Fp0{g4-cecJDm_SMi7C7+Bauu0e!KoQQ|8Cy z{EtZcI%58p&i!Py4k0$NiZSU;_Ot`X?8D#;W+#{eiwG0jwc< z^x{+ZC(`qO-5*M>^XaV!0wv5z^8OTs&yq(|EAPwA%l9V&--JSbqBLX(Pzs*Y+A2<> zTF<#MPAx#MDPGCPP1ygIaA$wiEp@Gd#cF>7YwCgLmKJUVBg@jyasvsHB9tLcjgsd$ z4!Lv7$DtRWhNkbNCCKaO9hJ9Gbn;7p4+%vP6&2o{Pe3oyY3>ArTI&$2r`4C1t4Gvp6wwaPel%hh5M47h-M3j-O0ph+%Q;}) zrM#}zq1i9>vNfHu0SF0NhwI0wm@ppr>1B2ITt~5yIxkeqjC&3nsyHu&lrLYOO(@nt zwP@C`KVpW=c2q{{=iWwL!|Ntrku=XqzWnZhviE`FVjym|WBVod|1p3F89Bk%&nKzZ z4Oo1txU%jjtsGhnv=Q!hYSh~}yQJoZb<^@j&51L(y!9vc zHBfw=i>F|eP}Ef`9pRlxX*M}M3pr(g2$xVb;M=H5A4;7U68}@a%crrWnm^FECLH|m z|6_p6KUPN0TuP%MyYVK%FXgGSE9O%I8>W$5 z=w1Kg0UdPxUk+%>9cE#W`#&5Ir6LD(!YZDs(DPP@f4HGitL?IagnPu=wFg>$uVORtj11{6m778d4WrJv{FU#(#4Usdg>!$Mv#%m0b~T;`)dnDuTYeteKVU zQ!^vv z(5pxjK~R&>t8@?$LX{>0QbJKfFA9PJf`HNmR74a-CuXjA&-vWX`>wVA!S&%B*Eq|5 zY&(5E>QcEzu|ZjavP**EaS^-g9Yqq=&6Z{%?iPCHPE`!}1{Rb{lb(N8Y?ezmfdI&6 z0$*6uGf_Wcd!KkwNbsV~qhit4gd!WRd|iLQHSJ997aF=*c9F0B{5}*3->Z(S?#Q%$ z#;bjt*>27lq3{b9PDrHcO zMBV9RhJxl*nYA(onQ}^yS~s{ z&b2}n{$$(i$(UqfBLPtr6={Uy ztNVKyHS070cu^WiJuLiNEI!J4ti72+*$@kekUMmJ-Qn~_81ResnABXl(C|t?IPzxt zILO?TioPG@_6Yew#~8?11Gr{_0nHFfVFXYpDI)fH|04)jCrv2(wk={f@~ul;O6!2S z!+i{B(7&`hIU34#*qu*5#eS(Vm{|QXutzNqtCBDxHl2OVq(+q`o}vQT_SWD~qfQ63 z2Xu8*T+ftvsh>{)W~5#UIo*-k8%;%##{^wzE9PESFn79;63ht2=O)i71Pet4iZ}>T zIcB9^D+#90V{WP}G%y95o9bmh!h;yAvHdf_wk)zkY$}zJo6^Z(8M$F;TJ{%z_hlB> z^TIX66}6DK%$h{jL(;82u&xHBzfa<9u#CEzJ5o zm|_EQy2Dgd0Ts<)Pt!UAZ{1WnqafYWS*e6ssef#sF_~vC|7!ygwO;jHg5;*H-2MKq z4HULE&KO71&87rg1eKmungAKut)-h<0K5E)t`G&*%Tf+A9vyTq{)&@Hq`!YU=*i`a zHntvSAiF5{v8+oaP!&913Y#hOif_znx97jax)fWkIy9%U^O}5!WhR2ty&zjA@rI;n znlZo~!m=lA9jN3#Hqczh#ox{C{Zy^}R5ibVW{8rgDO$n5{UY-97&V{pwfrH0VC0U6yem?iKDYr$sPS0(hYrC^D)K)h&?mb8C4oioI!(4%SW^}tTETh_ehg$57!ReFF6(t=j5O?_h$R0cSRGeX9+b}>1U(=3CIPF%K(#s2fApGmcY7l< z-3G;!s72xQ2iB6j+k|a)_{sAtEuil&T(q62ul7V6`KqyEM z%R|5)$0&D;v)-M!;IYm8$g#L9bVv2B5JB4~syDCgR`W@1y)s4DdG$NAH)8#Y+>}z) zPNCb>w=$UY7Z+8t-8hEnJdMAWKD-8IN*mt>=C*S)!s)-tFFMoL!6wvfNg%Fh%MXo`c*mBeUleGuz;++%aBqdh}y zwOW-4#a;!VK7u_mr0XlG3+0dHH(A-|SPk8I0SY;I6rO!Spf1;XQ!jO@#m$oS2CQsrN`45wAIpn(%PF# zGkRx4qRI*zxoZIxI?22$($s)CgcmMpjE0sCr?pcJ4&$3s}4 zrd1Km`eWC0AoI;2o!opBY?)PBHFCMV!;h}W&5bDA1mX_I&?05+ri6k}oILY61Ts*7 z_gjE+)tw6QY;lL?q*e|P0h^-NEZAbFz~DU!0kYNplC%a0Gws{gWMANNcU3JDWZ+W0 zKHQ$lcF1H?)s;5C9di_i;v@p~3@Z_A6oaO(Q~dc|*_DB(=~0V!*$6jb0ykX$zS5u* zzxCoyQ#BHvAql$UeF!x-Qb5bJfq2B3uJ&_3O9|tiLqF&W4bKEdN6!gS>!nC~r3syQ zV_|S#Cwv;o(WyE^pBp7R#v#xGqNbHx?NEHy-0s!t>D>YDo3mt_QJ!~;vZ&t6u=}J7 zjv z0cZM5PsG(}t!1Ib%G+|K8h&il9yCzoHp{m9iuvKP#R-wDY#ohN6a)ntBg?}Dg6HfXAOON`yx4I7zH z9yfnzgEWyo0OV{AKc;qrH+WghE169PX{Bo{Jq18YNGnT}zcuT!$=WWss$;3N{w>K; z^R#fs%0gb=9*Zv3%^mF>Lvd1_pwLU`=c`gyy6}^$feA$Hm`zU|b zZi@@85e+@HaPye~RJvyl{2=(Q`;cO&OaZ(U-g~V2Zoxzo|Mu14$m_}Xv%jU>*?4y# zGNN6OM_uLz*1}-H7MY+NwD;JDR$R9G*@k}Nq)M(~F&BJdFx#E+s6e#9 z^3uVUp{KC+c8R0y!|jUM<1;&}_lfsTU;BC9+$nH~S+}#gx{Mp5lZS8OFQ)WuDs@mK zpr39yP7Owu4)_LMO8)Lv8~^u9W>rjXS>BLFv9t~f0yJ3$ljC2lq`C5X0%&5|2;XwO zIAn05lsCWs*T+G>S_1WUYzC0_7lukU3q%J);bX~5P~JQNA!tw{JXjEkrUsdZv(-91 zC7(9j7HYG;>cT%HXsqsBM~IY2K<|3A4?k1*2;2giZb=qb8udYR)J*Lykl!1P>m_1z z>+XHT(@2^0h51T8x^$t2T8qsM!#zhcOiRd11b)N`?5F9sbwcIz!tnxc_ETufhSC+} z<+y@O!3g5($Ds~G*=8GfPG7jOeCVB<8pAlvN#R6kq_FufTi17>^otQZ={P<~fWWUg z_+^X`Gp(%0J0lSj*mt?x_u~j)6{0C49uWa3DBXlnUBcdsvyZ>b#V=BK7Et3~n?YS}4d?{*&o#o1XO)GRQ^UeM7&v-ShK&@~` z2VZKr&PHKrzznp4SczQT1Y7OEsVg>;7$U2w;0yEFNch+fX}jbmU}9xh>o6-^A95NL zVjR~sq@**HY*#o=@K=(2e4Hx!#OvkNpRj^p`D7CfH;g+pX>{G5U`nlejQat03X*k3 z+gu7wtUA9eY37X8>tL_%QwH!=5`bl$`9&8|RCJdosb>~RQSTM3#u&vwB}CEGjDBuJ za-T*6XF-#GQm~>KRI}j07W73HRyp~{XdZ1XkLq$FvXjUO2Yf>GQChs_gi0duc1$jW zZJ+Ne-M8g&h7N!f-t=}d2-AhHLe3fL#@A(vbzS7T-_B+5!*42C15tC@`Jxfl4!+*; z0c(=>8uCTr<+#hsM~pl0E&E_wt1`t1SqoEn_p;Pcme2-KWg(cHn(MujuHr2PRGgOS zNb&MqW0p(uxHVT*J*?o`_%-QIxqsQ;i_e zPg^G!P&U`yNmv?txQ}u0kgb2`aE9iAnQ^+;LJU$&PWuyyRkhEd!TP@JC_mo`UT#x z<#dxA=*B@8-J;MUqp{u>*W4+OkMIexgyAX~Cwi`v=J7V?6qk=r{dx zqP+7Z3&GMy9HX9;N>Y>Sr+b~S=vHHezI|A&au>f~y@}D3%jYg-v6As+b-i` ze|Nw!C4?VUM?Jbv8OnHW=+jJ^jd^*h__<(+dU?(N);Q0dFp`f#$}3f|U8}krm1BSX zX47-B^9g;4a2JR^I|<^*HYao?TFOG>z$CG>`@)mxIP?DLRLJ6L5|7({=ILOhpDvGjU{ag zwU>T;xs&Kt`rvJc#ib{)E~__mgu@$XJAYBh5})lVSOa62s*{m~vFQlkfS=LrU)jgV z==XsuT0i^m(si&16H;kdUp{hAZfjzCdKg~@S+j=n(+?{r@rU+Q zzIR-XI^%f$YN_<05LS`>0ZRQ`%*AB`uoV_*$= zwNJ<6)Aic%w7KH4goaGlWXWw%%RH_^vr0v_g}_p#tR>>_Lk~Yr@^|7LUsmLsOB|<3 zQJ&+FZsb(^C4(FR8d^g>+dzDe%YXgUPJG##pg&+NE4J-(Z^!is_!o#bRC&MliA``5 zKZN+{)e}CFvMs${3+u4ZT9*!*_)!L%rqr!wnog>v&AzMWl&B~35h-J?TR*M0z$1@Y z7_RRxEi4BZv5rW%Bo|78_?%c`rkQ;-QE~)O^@@Hs_d_}CNb}c5B6?m8km@iYarqJN)-ABA`#Ve>nq|gYQTO? z$M(67sDa_}+%rGrvB8AN3+8g4x6`PXAtwl_A|f(>hluGP+uAbp_&6qeK8dkqDoh%d zq3@Ib2uAQHmnJ2l2vgkc&9;-t!|lMp1!gjXdTkdbYnVd+0LmhT0akE{{}=tk)s*#z z{-Kf8J16N6CUP| zuNZhjuXk*scd}}h`KXzXNX&d?W_SK9#ekTy!oP{){}wWwBXZA4Utsd1g5uzCe&KV0 zX7iucrg=UfA4sLqFVNghwXmec=wvdIRJ8DMD(pnOGfnk>^&g_e|G)lYUByGee-NYk z^f;5Wq}}LQ3XgG6NZ|05EAW;pY({KLlQIQh~FmzCi8pGvC2)$JGl$Z32gORNdU( zT2nHTN$~*va+VRwZHb~R7E{Zj^hW;Xq_s@QNUQpNb%Xy40Alg`2LQs=i>C4*EsAuhT~rFU-4}v`g>i=Aoqp^yeUG|iskD;a z#+7fr7!Vz+Xk1cEwzB^yWZU{8HR9F8W|Qii6=TgSRI+YVy-ND?bZr%DS#xWMfV{J7 zI zJ8Vc(pct_)(^3AOVXC=Z*i52m(u;4oR!RUZH&|~1sRur@8Ood3*i47?!J27+v3W5V@ z+Cgl6tl^P#QJqD9v>yOktuZ+=5Ws(rk|~AcYh&}Zo!<{K?t_;OGY8_M2TJAYe-eSf z!xV27963H5(z{^05G;Sq!o6tHS$@}yZ2#g^)@5{b=?A@h!_60GT}WLUqAIaMmF9AU zpPaLSx&F%V{r*{{;$pjH8JcPD3i!9$QgB8wk@*WNHanP+Z@(3jpX z3S9<=H3BXir|JZz_y@{F>q+zmrl=h!(QYg=hhl@5Qzj_St+{S~1UI*OKrOz9P6sO>A3uOa(m4E46<1x_vUQSecj@D-R{znKDQ3B zVx#^|^UPYLg~tkz+m_|7mFeL7E3dDstS8!}?GumaeH)I>3`BKuZLH zXw9W9=X>`It=#VM5faxC$`Fn9+uJLP+IC-eHuP^qT-vldGCZX6regMH!?>y+>k3LIUqwQs=WzFYN!=vt zrD%P*@KmWbXiPhZLM_W~B)v|c<3mzRw*Oo2!7l!<-V^TQmj(egxa}nwFCfkJ_SR15 z$10d-wzo1Qwc)Sor|2DD-&?dxCx`m}8g(aYxztj5u@>)$v+u8|*ePy#gC>4hGT;`rTq5KjB7Ep&P6+OV};+IVoZ(K~~8 z+Hio3`kuVwo{tIL*WfHSz5||kiAsF!N0pZ|-v)mQ=d3KAC z-#%~8j5m<$b@c&Em17T`k^Zzg1x!wHYpFPO{q>_Ywbf zMr*eM$biDk;{>9zpW4N|&g!8(bim$$PF~L0y(vc}Zq#zm-dn;_zni3pn!{=Dr+D82 zho2brA)H<$%E$xq&K)3RwNl*Qe^8!agHks?KtSDh8@L}h)_34jlw(o*`#o;~@eNp9 zJc5cCoM!LBAiu957kG>D=(g&SNiprZSV*V19T;$#bEzrWBXARN+2R9-b;K4!9i){;ONK zlC8`QnZjO;pULbo&c#YvA0OfRUkZM@(oSVx>QH;jCnD@hB)RVPv%`P~@3(}3CfI$A;;(CU;|dq`Pw}*jA;Qccs!-H?-@$)(_Y#&zRDW zm~5aKCBUoiZ<0O4xURAgQvR|7xSD*JNuREGOQR zc^BqF&oK|Yj+vmkgV&_FLXmegs;~-k03_!|xcs5>gGFCL{|JOwak|pFC#35LXnrE= z`xvRPxK!W0w6$l(2K}&|V)e-5s58YkcfX5IS79=46M4nCzxwwbZ*0qYS zr;^{=twFzFlLSSbAee_cN{`)5uCL<7H*ddnXD;@=B>sVa)$me}BVP$WXUdr~?6vy_ z&T>|*h&J+<^|hnD*vq$1>(Z_%V0n&@J}dw~#@1icsfRkm{KwuQL}K0xVGlr>8z;ek z?42Y(V<5^Yrr`gycN$&geN-!7f#1p+e0Dz8O#3Qu)4`PnP*b_6U3EfWGv^=z3rNo8xl@IozS9~3(ir$g>Dhg(=|vb}W0IkhLj+!xfZ5h&N$;XG zN-3fLXrMx^Q7*hG9kVrI02YO1p)#0F7z;8KWyTwwADKM_uyy6d+f%%kP#p=kzm~EE zzydeEAp-jYqy~)d_*3M(-9wtz>qc4Dp@g=63up9(0Lm2h}q9DABcc20fz7hOmjBx5ijV z-(JjpL=DtwuLW!D`z8(x#_x0*%PA3u92~E=w=W8CN)HcT_FRdimZat%O;Kf-(Pxl*(VpR!bMFkrgFLBH~HLHo%v2#wbI;Rsxp@Xv^zpkU$IZy$| zxf|3_UtAVk&2#J$N?hL)3+wn~tIq)6VSz?SuuHf_O3*~}M?GUvoow4?9o zt=LG|TvxoNydS&CQkG{bZcg#XxJm(@=1QA>o)&SkARK^==J=Hgh-}ZOz8F3-E4Y&T zD@{|Q{i~%av$SHOFt;>o2)jr-qUExO1%R46fe`4OF-s#8Dj?IjiK2%-C$_pNJ1TGI zaei9fzVq>#LRp@14Cmc~mMfVLidrqw{fc&r2QCY`9&x&c^(8mCGBBNS8Zo0A`~1tp z<=^{9L4-sFNOWSp0_3WjI_&cX_#3_RMyVOmZ%tPbhaOZH(Y5oBP8aPj+&r6a_q-3x z*Po?d4Sn=Z&GzQk98F2z?QxNJt!pT-n={g=mG|whMfx|#ym%3wI#dc(17Yh!x+G`0 zfh2UayVYY>ue`)V$-)eK=cWPHfGZ2gDb~BLVd~;<>f(I2pyrw?Z%}BJe@u{RiV@e{ z4;fPa(1ARu&sWE&Qm;OF{$yOr!Q{ig(jJLO}eHstBaYXu2gCw2c1VMI5J; zvI~AIKoh~GpL3ag(uUn2?AYYuK~dZMVLHR(&Jsi48g>pWR<&6H7&#cm*P%3_0iVP2 z6o!J76CD~wMXR0HgY`Ab7wN-~882iFvD4%Vf*3JbyvIURmkqGcj8lkC5=}e}WqLL% zua`H8$t5a}>EM?810KR>_AUTvL34l!3j z0N$lVB|YVl@C@UvsGz?-bZ8!6MYn0U-T4)LmqYSqsgpw&Gv8Y<%Id1X~=|l$@Jng%x~RRhf6em1%|dH4^S| zO$i%vTt=NF-<8i&h^aU~wWi-|(x{XzrIsmMW>V}aC)1|JpOP6RhB{CX_P3j~y!)yx11wAONtxQp zO9Y13kAfZVuDbaclq4t$;XwTzeQ`@l4}70pV7p|?E0ub^3YgRqw_7G}vb6|sp9?wL z(40z^o~Vv2W4oo>_wKg~yXJ+DC~DRL0hSC)NB}$?=Nbfh-ec|cu@%h)T2B_n0wDKM zNkTde3=DJ|{7UsaGrpG|U7;b2c;*SrWKE2=8FX;^IqC6yCp3CsLFF%B0ZNuPRuBA8 zoW8L@o@VJC=S(Hm+vK~n`2(9wvxX$rfSZa1Pt3~lMGu58`?svN<@!mcHmG23#hj^r z;Y-$Ow}@!Ic#p=IdGz4=3_FKk754`sqon9;&SD^ri5~YXhLQHmmq`YCQi>L06DCJg zqd$>LHKG@;&k)>GS6&3Xnr$2DEO1X{&XL*eLvtC#M)2VCz_*vHxr9i2984r5u$EB5 zh&JiF_dSOw>5?T^fhzv&Twjxx!0?}^wNk;Oek#% zra@i9>R!>ykRlNIR|z;GrvKGug%ipG@%#+U8~HHLZsq~lj=s$4_%YcBV9?Y;lv_v%S;;*}v*%Yu|e%a6( z%lGn-G9Y=6G8oPA&kC*1XcLMC=g;ghKMh>pWjS~EO|bx$<`&vFp5M)9Oi=Sk#QjVMHEbnB)-6>;&ee_4J7F6DdL2eDJ9_tN2cab zq@YB=^6(*!V<{%%v$c9PAB-!V~4pZuBR1% z9zWYn6Z<16f!odt-rDyT5_Ca}B!7;ga~oo+ zS(jTI=IugDDC33PNPNsF)mC#$n>P>$7U0XxR{6a4OBUaPBbmb%}Q{&bv>Q z3ok1XI(ZRzE`lmbDohs)$bE5EcxQGU+qGzx@Y_MZX^5Kl9*wkRFYcvxc7AzK-77!p zKB{*T-?9IaJNujza!0zeM#dk-=L--lTwhtKVQoc!XBZX^f5(?Qtwz+BQznT_+Na#3 zSFkCwh@)az#A|Aa*xhnL?C2>mgIIm>0?1)_5|-nx4MQUq*q);C*7dX-pi;Qbq3kNx zu+Fi76%c>z7_rDOHx&PIrFKWeWys?FI=Q}2(p9(2D2~=wNE?ohsVv+z6n;tdbC5-k z3fQf%kf6?9w&GzZ4|yq6d^_E?BKxIb(duUfM}fiuDoRL#W(Z!P$JL01MFTGkx!mCZ+}YrXg_H`9HwppSl@`9=vw z8}Q;3xG-!*%jnhijks3rv9HTOXaWeEc31k{40o#}ptZEO2om=t{033m6 zF7f+z@EUejru#2cFfGKbA#QOZB0&QNho z5CAA#<`GhwAM`kn>+k50G_qY8Y!6dY`Ew`WcFIshD{ViSW`!_g-Vi)zhdGqWup%hNX z;GLYFR3}KNDF42ew-u7Y>6}d#3lBYPItVhk3ojOQKB*Pz%+|#n^f;Oxq?0%x;+|ax zUV1ZqZ!^OIfdkVXJuIWN5Zo)`<+WMzr?nF|F7v}6SQ&w1h``{&!agJ{JNyooxbYpT z%$!Y?Yscw~8V(B;snCNap`h$Q!B!x>d8p=I`5<#5YZr>LH3+V06br<&EVLrCLZ@A3r*#PqtjMIbA?eK$=3<5og}3Z6di2x32NhCMF-TFBHdEc zn)yf38Tt^3+ZdDm^j}5Co}Z%Vs2;WQaLfQ97p0jQE_5M6YuvBf-gV;qEVqSbD76#i z9??ue37N>SLhw2uZw%vV_mlfS{AGGi*m@$b6fFk`v-tPv(fu_Jh$P79n=oxqrbAY?5()1fZ8Z8vv=M%FN6nS42l!0%h=sEJf;HesvJf%zU5Wq3m z_;FTVBNilK4-%rs$=FvoY&Ex)v8m?`%_AKmzBJ3mymxBb79Ui4h;QV62U12RzT^e- zX`$`@F0ut62L(HUub}OVPe*F;8CL|I4xQwAyJp#=tN*sgkl3}ffx+XG*QPg z5=S!Scqwc+%p`2%zl076dlCEy(F;(x+Ne+k8lez6*ic4(6Qv2XJORx75yyNvN`5jd zH>X?mqJmH%8O309AL&!{m2)O3f@zon=(PHzb=GR?C&FU)J)YsXdr9(=iHZwDAxZ!E zIl$Zmv>+myV#4`d{ah0HL6>){w0K-2My~YMr*?&|pE{Y*zZIMW{4MAsAy>N2jSQj; zMrqejA_haMgJ3v;WTgdy`zA7e#4&PD3hvCRUB2jgSz4D6Vr7Z`Zc?1`yE;+?NjyaNdVQ^k((| zU_dXULc@)&IOP;}8$PTZ!M-EW~N< z#VstQ1PiCko7@=c4F2zOTy5#yf7FbnIVK4fuKoy&B&rf=rSxbXrtD|t)^Z15Vwm*)p7wTevbX$*nO^FOpT}sk;C9O z;Vg*L|MhcBLY}_Uu|=S8YKgcz!;ROQWj-FkX@JtDppLiY{QCq)A=wv~V_Tk*q@@p~ z=pWa@(6G|sKZH)`F&!4gvSXnhS<#_8w7~Ql*VtlRFB#lrBw;07qlmaZ>I3&7@0Q~%kgOnEUxu|3&}Rr8tf~9 z2dFP{6MUD&Wjf-&b-3^gtSA=C{K%;oxc=ryc8(xymBH>S>jY@7Hp_JFO&hYV*2}4| zh;6WN1?w}~iy=_wPKob_#F?1{eFMMNFfa+;=akb}Y_ucjdbs5Uj?kX!9>ikhaMH1Zf_8w;}1X~du2{QF4TE%sRE$wL}0vVL5Y`1525s~oM^&knCI zb4=cHkB|98HOro+pkrRDw5Nu<5bOP$Cy9Qug(d2EGtGEM$2Osh)sTD}N*|4xNX_ir z^vzIX=HD&9eiRiThMG=4xEK0lWtJ!+7Rq5(1{7lEoM1 z^jSNRHRIwFz6|Rm{>aX_Cf$I*bv_{Q?@@6Q5jU4&bA?_Cw= z2D3W{OTzCkT$d`yqBkC_PqrZ8y{OeuSl}HMr_e9OLAUnxa#URQ^^y$*H-HnW@4n5; z&Ox0=^L0}s&n88G>oK=KZ6Lhl(B)K@{g1I@CVrM%LQN;l_tktx%^f)ItrhIPv`}E%ugJ59odBhhAd!6%{14(lxj7rEale9%nj^s z;dr0(KAXACm6y0X!Y}1rDs+h(pKDeb>hvS!@qauWL};$S?nY-aU(7FbG8dkgjf0`G z7XZvV{Wf(&y}lP;LCv~8 z&%_TG>|5xp1zYQ8j%E6aJ&Fs`lg*Y2x%D|QhkVq^K%3=0t z9UNMLcxrecP{I6q|HAIRg&vYjWsk9j2-0}PCbk>oHEbj!#*-nUlr}Or4kGG=&qjOO zam6l!g1g{MQ(!cMqf!G`pb>aQ=I$x#3!7c3a6C^eP)J69a)!do_{O3GmaW0m<}ZPv zCLliHYQ7&cF9N@PsQaDIIsGmnGM7h(ul{>4CJ%`IkX?@vQ)c9Lk?x9!xCJK3dNWmKTTJftcT&SZ{RWQrN0 z4r~PQ&H;cl_*fWog$!8SMVP(^l;|bf!Jt_IrI`iYRXLcn;K2fI)4n7={J$BUU;{m} zIDFdZA4dn`J#Nb}L2-1httFubNU0@{QJiI)&w(d9)l3YLx%^6o&=YR4btxyuUATBu80xLR4f@M&(Y&_;wwrk8V(n|*_F6uu)H(3Hz3tH<(Y zInkptuZKTYn9pU>;bI~cjqejZ!H38OnsRiS+SxYCJIsW<1O^!@Ey5IsydWP&f`HF4 zYy<7{Qi5~IhOGzeWu!#vB!s9IJDRPOJB2@`1I)Z&XQ(Slmor+Up%c0#ISM!0y>*Ng z;DJ^bp8{BwfvzjI3t;n)qh4>q4Kv-V%`P|M6m0qi=x)PHkblx`CgW)}K{eLMJ+$ zc7MM4#ntl)2Pz_i&OtCRHqjz>1L~+04x&40wilv^Y*8jGYY5!cGdOkpq^o>-JtbB+ zLfu7h<@fjk^SiavB0je(xV)LJ9Vh~LJ-P?%*~LmE)c~eenEPVwC1joFJ0fF&Owz7N zhJlpK@G<35{kSk_!;4D`OV9L%L@ji@$u6S!ASnK<0i6WkF+9fV1%1Gwl2*W(%)^Fp z*bIS_;##>g;Dz90{Y@RpH4d^3dWLP-(m9fd3=R_cX@xSm>w@CEr%pM&&+#Z|lODcf zFl5cI*5Q(eGwrqtS=nPW_*V9fRFLlX(E`CXiNDxYB(L4G&OW5BJq(R>@Gd_L80PJN0F(nkD%$qK0g{pS|9jttMdlSWHWBQVSdRCL9B zgg|g(u&^QQRfFxG$-P7%c(KXpfo1k#muay$ro3?)JCjTo8u+3NojH?5ch&F3xQbcH zk=vuCld|l92W=`{w^v}61`{wKo0B>7ac*ih-L1gIrmy0675%147i~;Nd7^4&D)jBR zE&7$IBrGlO8$B*l`5@BhwGC6$oXitJM}C;Sf_a7DP=j&vzimfxCxLn7>&~pb4Kw&g zDsn5o)EMUo>1uold|5Z0Ct*SUPN2n{o0qFa9gS{9EhE4i8j}XW$}Fw2fA<>|xfC@o zwb=Yto4Dl`!NKX&%q>#tjHikzrVE*0ETOw;*vO?C=bk2%%oce@z~to-xVEYQ~XUpgAFr`it#ws<&L(-CN|fgCM7e^a-&A{O8=ri;OY}v zdkT(2A6*ea=M}VO@Zy^Ky3wNF4vR@v0tLqru8)3Mw)tSnBu*(i;B6dWqmF{(oc$Na z;s1l<>`!<){B}>~z)^7`H?TGWr5N`@J>+HA!taZ(@i+YTn;I&^B$r(dxfQk~Z%UH5 z`Ick14>QScyY{7Zi`|WU0`qZD-hh5v_;g_P@r|-OXhvGmkW12cee=y`dwiKEPC3(H zaWoPYK&V&TS`UNRLVXE)a$MeBA@{CzTEB*GHka1Z1KwWRnP+DM97wg>Rq8%AephAG z0eog>3xDHT<78?Gw~KrF}cVj0By#9+~JL;0i}*Uq9%vRWqgtIgY8Iu_O^e&v7iV!j5O`<;?>63Nt^l_v8@HV`&>J*3OU6s4~89nx>p4+7rQnH7I&sg z=F{yjtD&Zj!AjKMo*x9KJhDEQHW`uT434$0Ti)EFd8FxbC6t;!#JT0tYFS!u1(=2P zQmV$*Fz-?hX0Whv)Z(H!m087mt^F$?Ht{qp?b3HPoggM_a?~^Y5BB=rZ=ddC;$%G8 zUIri>WJfOYjL=~;#)Nu^(|q{m3U}cjQa}6ZeN!nthRD>KiFq-{i-|V=212#&-5tuB zyxAY@UunGN4|0AqfPt2GrLQVjAgyGo4Jx)Du+oSZ;7EWmHE;{80BUrUX3U$QppxNu)l zl=3{VeRt1Vgy$gbu3KZiQO&5RVucWcT-+4D2UfeB{LO1^pE6j%BP)}}i*kU%t?`WZ zm`v#l8_+t~L=x=c;5oPF$qz1BUNLLu&|H<_FHJOGULex?NT+GeB?Ik^4j0SJc(rR8 z1K!e-%!)AmP>*7!0Gu)jqMns%@EzIi=ud#T&~Gmuc${E1yn zXCMJ_gZ-~-9eUUyD7U`GOY7);`2d4$famv4p7rUw>KQ&NL9hW$7u7ohQ!@- zXH%}fie<*L6p6u2d^f3Dr}F(xn&Z|5vXh3EgAk9<%T1_AE(kcOM>tuwuB0J~<#27U zG1Ips$^9Adc<{iYuka3bt6F!OfZNm!soi)bizjq~pry9Wa$r~#9&S&yETfgfbcaaQ8>E^}_mdS*sN{%V~bf16R+g~K< z!pp0=7it_44Vq1Gv|Ap6IuoZX$e-*9>A>5$m)1}2(VC_SP=`Q7xu?qPJoyS>6A*EZ z*>;By&N#;2Y^yIk)O_|VOC5~L57cuZ9KH!|+WaLi<#a}cZbi_@Yt<419>ac>b86se4tqtbn^UKkzvor{4vo$s?z(=TdXt;JocJZN-vy89+iDx zd$R=XPw6OPdK_j;6YnjwP8>^F!$fSwGHr1Gy_8u0$%3lsYy7){h7Qhe)yb9@H^DpXx*uIlIvT59ZVNs1t6?u{ znV{;v4ExBjwT%E%Rg%pCkIi_ZPr&D#?~U(5G%CRnC!8cg_Hc0A!*2rW-$gWi2H zxTh8n4ntS5ZmD;RdWW-Ga5!v=2kJ>gtIh+Riu5V;jOVf7C5njyzhv+A$HW1q#@hx2 zojP7~o(M|axC-p0tf>Sy>wirgFXNcs^J?=dW&)=Qib&rpuZ0Z7*_L`Quc=&TM1*)1 zN_O~HRMoxsEAJ=%uN-JqU>CrMT&kxfF$Xj}i@2vMS!a$lamrh}Y9z-{raxQgp4 ztPOgfM`^q_Sh0?#_tmUU(CqrufUa&f?Rjb@nhWF_$vZ|gu80IT0EDkJ{;{zSiV&1~ z98VT?O7OFWI-nq9@6*PpV_e%QwdCyW%nA$v3S&hdy=d%oG;R1W8uFCaZckkSL6%g#C(0NY~_vd3cRvtW1pS`l^n9% z1cqV9fiwRPS9kr_x<1$UPdI;gp6Bg+9>?SU02?*x@`!Qr=whQq|AIJidh)We zRto=uIGh*l&s`9;h$;MkK^(QKqWo)2f17S*tAb$~iwY6T2Pt zlKdP~sBy}Jqc}Hd)P)%@xODa|&8AX4dsoh}bt7J(!CbHwEg*eGku!=AeZ}eK75Nl9 zGk-D5V(y7$dX${H4i=g_J(o6D_D8^B4TRjH=6?Ju;JB#&N5G*9FwtZ4zUu@@jO8%| z9AG->n*~G<^+&*Q{a3(2{Sk2b$PhL;G8Z3*Xfb=>I6sOvOJl~+_p{uocn&#Z5Dvin z6_p}V%I}tfJ6>bv;%9KbAiiEbKy2sogR<18ks{M1mV|X+vAGOXCsaX5C(OrOK@J>U0MD^ZYeM6wLSET^59hNHm4qBZ|n8Z=7uudB&CYS|iPIuzd8h zn7d=5n#8qYtz0HO_f%vx1Frfb-XN2N7~&0Qu?MPx?zVp6V_>6)TFo^xU)koMe;CH^ zI&&2s%t{4pQ@|<{#jZg~iQz>c26;nc4=6vCp=lo~z|oLZQe+&rbU#^@tJG<@@+%%H zUs!4*%pUy)g!EO<`>byzFZ39ZooA{!WF_p{T$d#zGLa_jjZjXYFncYB-~&UCE2x|c zhqaK~n9*r#>WLA;4La&Ndgb0G!1U%gaM?7|np$<}XJ{rC8B4-k^!T`l1-b-b9-lFH3Y@g@CS_FW1`bK;v=K_m6Q@D0-Hig2;A!9}qj zNgC5dKUeY?@QwfbMiE>SE1~0G_$Iq2BX_y@U-*V68~6{F^&##0#r&JiD>p^?*hRHZ z34H0?lDOpq0IVw5bZ6bJrrL|&j`;BUw(3tsq`B19x_Et3YugOi;9*%OSHaZo9Vd;P zxe}3ApKf@AxYY@5W=UO=9SCMLWnY6kM6W^1zQO54w^Py|{f5WjkACBMzR1F|UHMwg zWAjG;_ZNQGxBsF~G^SIMdIatjt<=OkWE>di2Ts;r@|kCU`J2Mz=HSed{fG8DRD0rv zVkEfb$hwe0PnZUmvIIes#$n3~C(~t4UHW>Px5-S~L9;&MPAmFB?UOnINd3K;JJVL> zfRcjiOtK~wZIURqyA@s558Z6D#X}n@EE5#AYXsdQFa!@dulYy7dBRemv)=oRrEgj! zrte&h2cQ`LuYiMU`W;IeHYaWT6>u(|0JtN;H?YtwtX{Np^BF_y3i-!;G1dYxl|@_J z_(|Y*>)Yh;Qr7#W>=Xsw0zJt>es)rd%NbO#bYyp6_FzG4K)rO2djHAu2}fTa&=(Tj z1l1pQpMQ9-rAv;IqY7-$5ek#F$tBz5zO~|Qd_HiJnc0E{?d8OpH-RN^jlS;fO3h&5 zZ6b=?_-iCjLa@ZxrYVsEj((qE9eyv~on;iuTo4ZLqyZn3S)Nc~F(DFq|Kqj`nl8X-kh*ggf}aLQzLM0f=& zp@O52xIgA&coB~A=qRQ#3r{h_Tc8XO3}<=u4l6{T#&V2Sd?S{QxH*%|OPIt#YSq?e z$1d_7|J~U{nZ)mL2L%FBu_N8h00g!mSk#miL*17V809_QR)bP6IDXB0H0~F5JTc%m zpV&zj{H^0oOKImS%?*FMbRGQa&$yn3{TcPmgXbWU;N*VG>3p~8UjYZ~iO|yl5SqcZ z&udbeYq~Pop-=kmk0;&#SHMvl;;xwa9|5Oldu(`!z;>WLlNN|rg#9(?-a;GAvQn7-18Lf$SYV&n1(;w zmVc+-{b_ar#3gqDlUkl2D=P$CJn$I1SJ5R$>v^{QaBGIb*8Gh8FM>18)A)(NKydsR z2o7rE%a2~rUj*lCXh-3XB_%W8pob7|xuFR64rn&?Ujyg)|6}0X>4l8O!0FDM3ra+l}V8&bCQ4JxXRN4|d1ut6Pt zTlYXvM5KrbNxOrlJRP+aJ3hYfd?SH*W7Yf#1jW8)ZM}%iUexltX8H7)lSp+*Z|+&D zAjdifB$d6Lz@CVl5dE?I{?aSBbw@F6DUmZ=&SE_=3@lwa1E~OSQ;L2ozcWF-i^&5+ z>A;F37O(Fty&WshGhq|Pg@?CR*z)G^zdBPc&uJbc%dT%LL~%4dN?u%Yk$$NNzhVkM ztuS!ihP3oT`S&I-@}O=5;?P!hZbV7r96hV~MSJv6@FfnZyY zVemKMAO7+;@BZ*N9V>X%k1cE?1-wU19V=WXkIuEPe4-BnXvw+s?PDitT0)lLpp_e5 z!jZ3MU0~Ujb_S83=P4)Aj+Fs}dO4SRLmoz8h&F~NE`y~0d42E1_re=(m`6bE%x70c zd;4E}3WtB*5uRR&2a>6O?3;CE_7gXjwrTs26HOQX+BYU=naK?M2Egj_m%b4QU0Qn) zaTqAZ(>rC)p+MUY+W1ZW+Ak|wZAna84B9i*)a#KL$7K+M@(+_IpA zF=O;H0jM)HGYdA6=TzP{Ot`(lxG9aTQsg2by1Bu~AF~&cGDO}E8K;n~4sYKl{EGK` z!d)F?&Yx-H4)3iiFrFnSxkf8t3SB;WJxXw_!+gH?5#J{&HZP6$aXJP?ptc}3Js%lA zG)W%y;m?^FayX$Ma|EERUftNssL=sQd839jMg3=LxJ^<2Myfmo30>?fmhQ z@dG3{^9U|py~ZSiSI(fTXE(=8-NzvTk}xZ6`Qb(9E2`GS(Bw5@+ME8x)P~$J)@W9~ z;MeltXoKi2q*m<^S;9dG3&fuCO)&t=4kCt4Ep9SeW>lm%O3tkU%&``c5viI^*+ z-_>j@BZxjOn$ft)BhCL^_d8iNe&eCQZV zs$rr{@tB~S_EBJ6w$uK-dUyA`u1odxKb|k$s?vG?{MK43NBj3cU-#$Nv>hl!xIxmB z#1}?D{m3UVVKzDQ%8vWp?~TxGueGkR>u>R1`;a3N%lVPSV$rjn?Hx9DzQJl4%~W}+ zDI9lIk2Xjmu+;bXAsQnoR`QolBGt0E3`*9iiame}W|;ofs2~Of?B!&MXp( zyLLfV$C>nLA}JZP-9tqvne|I@N{hdr4w%m?Imo!#aPOt|`!@5~q$P^%&!ncxHiPlj zy4<6Sa-DBpL%*(FxXH%p$1-s570gOxd2>1J#C_FgMgnVNyn2r-f%>pL_g8d;Aebr^ zZZJ(XIi?k-_t&$b79iqpGmQ;bd!svn5_-NP7ZGzhg^M!~iwwa3;vgC{Q9jkhy*$>pleN3=~wA9zYOg5Z;?80mhU@ zr3C-bgS9iG{~8x9M@Gul?sGOwU;I{x^DyO7RHD@{$s>=s`3S|f%5&G<3=4~xTBR9vkI5Dx}WgI3W2VKud2=;%YCL_1_g+wLUZU9CQ zk-~{t0UWt2 z?hWV15YGfd?zILM^BcKTF9zl6p4aWL6>t4=CS*z#e)*RalH<0_4}Pb1c4o&_UMt-p ztA@wvo~FRx)?8&y)bQ&)gapclFkcZ#fRZh0@6il3i&?C@kHz8)(Z!S8b*%n98{8++ zlYHb<7TrtL6E86k&tF>ivZhTrB4_}*7+*wrpS5BxDMs{s4f=jo^=?$L?Ao5~yzg$@Y&K3CLlaykuwxdTS*bgl z;t#6Rx!0%dBSd?J|GA5sOHus93-FWnu+Om#4L*8cwYXF}^Kd$GD)!mZTF|&bn^S;A z@#w?%AP@cXJqm=-yQ^(if|(~FGZ~kdEx9yX-nYMY8|wi*e4FF+vpvI>ooGwBf3Uno zV${%b)!6f+mPYF|IwV+rZ#ksXpA!aK!DLt5XrnPrb`K3N*4Cq+O?-6O2BcKv#-nS&?efs=WJ`Bqupjih>kZa7?kx+wa=PDd z*?)Ndc~h1HiCs*3bK(_=b&=wNds^-+z90Be_XXJGv(RNMoX6vk1xH=D=Su;3Ew6LB zWf)^+LyTP?*fH(XPm3;#6*b%oE4m*qB$1bp!Lsvn#u@v3FZjfXJWDEDH?<#$o6ftO0c#!7cUJ_AW&Ml!Ks_1^!xqQ zfHr01iN^JmIy}Mo6C?r;i2GJ|c9vwn+wbP1u1f}(a$@-5seXiEoD)Xc1S88@B{wg< zgE@7093Vw4KA?hl)JT%lzPuLUI|UjFKL(NZf52$ofw zHGRxjpr9lxf;6PmK*j{vnJ1?XncK@D#$SR)+>*?KMN2ih41;S&)VZk98W*3FVGyEE=(GDTaVGP>d0d$=; z{{{f@b7$SAWm$~@CtPJfG>EfgiY|=_glCG4PjL%RH%D^blLzz4C*J@K?C}hoSWlL2 zOdd_K8M7gcZ&@4^ir0=0&zA|mpUD8xK*gfaw+bnyR3luWWox-5omO-E>|FP`=)vP6 z`hk0v@7Bk&C}uBO;nhw`x_jNBHdga+(B}Fvs%yr5u0m!}o>Q$8fD<=PU1V=Gv3tO1 zvd{#wO9K^ufI7FjCH0xlTbNV*;#-Bo4u+?A1Ug;w=mAJpSyOn*ZYQ0m+tQ zs@D*udgHp`&92_n>$d!+rB$L6x;7IZ^4m9fjdoTCJ*?U1lB5GSS~BA8ZX6%l?FA4I zP@TNg)E-T!tHk7NI_-J~uNJ-hOd>iOTZSMIP70C~)QDgF{$*=`vCCkF1~VL@ZaoLp z4F{hQCGw)C!OGJXWJi75X@g}8>DBy?Kf89Sg(IpZL0Iv(62RGz+s2jJpR-B|pCog< zImO90qcdrEPHEzX$qdC0o>BvsU7r^av%0xz_UyfQJumwYj806B9epBWo<~5X_u8@C ziQgpl*e;N}AO|ZOWdFL^iDeQ{Uctf!4H#D{EO)?7K+*q&Yv_cOzW)Q)5H*)Pt7CO?F(`bH4 zusy-e_7HR5LYrzfWq5NaH)U$%xl`-vkW=;6d}dunn(`pl*-DsAI^zL~b#D-uB;Bk& z`Yy*gH4%QQ(Yd^bkKsS-Q$|$Ot=~mm?G|m?JTJB+^vL)B@oVTfE=L2znF%0+nz+yi z-A{TL8AzaC|Kr!VX3T+5hvritPC8#L2|b=>w4R2b0k3Q)2Lz@SN6NSu zWCg^7PnQ8g#efV1gW=aSGW;5XW31^?w9L|L)0e>g6*+<_?F5L4(|woQwO`+TSP*&~ z3ow_T(si2}J3n8kq^hB1rK>f;GyLN8f_r}@?(y#zU-sug9k!{%xH_j?;TS7jUk{2V zMJ`d&EXzY9bAdVJZecfQvX6kD_b3(P;VT1J_Y3mUkYd;_bI~jc4#7ZdSpSRIoM~=t z$B}QZlR`KxBI22{M1jO4NaS)FtPJ2zn2YFhGZ0%c=-be51HaWC@XMTT_SPH%+#Z?s zIyaU;W1q-<5cjE_pQlk8z7d zo%@6CWx2b(pJl8R-nu_to41X5bu{IZF=h5;05`}cof>bYBR;evU$whV(6#ri_-Sv* zI`n#|{Yf_|tmX9$KRD+ySlomdGB%0>omR$|S#|-D@X7f#FbJD(0?Y28>!tZ}X3c11 zd#KeJ5kNXqi;b1f{t!0dFi_h@bN7nDu(zQ$ro$g~ZeswM=daXQvzH2+($xRwwYD~| zJ>QzY{N?da-9BH~-hT1dQ3`wIeG9j|3RQi&3{`^H`-y~z4{7%51ey7gX&J%%;7h~+ z(aP0AXTT)%U5Rt4NC%i%r|DwKy17z6f&s+UKwERcGBPog{x=q0K!ga02|w>y~>yKkDU{rKeYF z?inRMHEQmysUnqtl7OIJn@-@?kT08Hy%bfLjR*>ZT(D+m47rs4@ev5-XV%u=-vx+{ zD7!MceE(QBg4zaQ&l8F~vVOpxO{7(>g~qaH!EXh}E#pD7blo0L_Q-qbT!{V@`i*65|(k*ldUcHy)W~6{n3)Y;wHKyOrYZqOh z<<2}`jSObsICu9F40p!z_IzbOC#M$ZET_CO$#s}2&<@jdu51jV@5Eac=92}g+4otZ zGnVd>U`WEvJ2l=|yq3Gc33A>45H{xN2FQ$L?$d7n5;le0C!x7&EXXXJFf#BjNkaJGne0d;UAeqgJ!Rrr?7>9ip+l0e@y85*zXSt z+;)2O=E7I)&%QcQ{mx2X9`Nh&E(kIUq~F%*_i0Q|tbw5v|@9mnKpX2RGJFiBxT2C<=ORJbtLr3WveY5^>LTvX@ zvKSLqr#ls}4Q1(Ybi5oB`TIkfxXZ1!WN~r#;rHA>C4t9L?l~&mrda&Jn@>-YzV}1l zeo}t*Q}%Pk$B&P5WBdJEJlBDI$cll`&)**e=sng6XW7sEaRfh?V(|Dg8MU9^7_N6Z zPL`IO6wV-P;{K2|@`u3PTaq1M<1&EYAF?Jr>ZNOBcQN}JrYG0o*)yx-YxEICjQrK8pO1XRg28%hDAdDvv zAdLmYUnP|Ay`x^ccHjU!0Vgm|!y@BTf*aFVZ_$~1(k^VnV#7HeoXs*)6MB3xMQH3` zM;v(gI9UR6QJ0V`U$)U=if!xjj*9t`HsW?`%7RJIJvR8Z9ur*Z3>?=Vi3Zj&A;Vf9 z^pm{@GdN^){04@qO=Me?G*V(atBqyFjog%iK1mlImodHW7Zh=G&@h2@o^jzimS15W zTeZD&=UutrxioHN#lsX~ZIPjjjrFb|#|8(WMJ0l;yU^;^lx0shj$RPzXc=Mm-)VRT z0a^UOWpY~Njdc3@X5^ydoCSoLWo;VYeqFg~eyJt@g)x=sgxL19zj5ce)3=Pe1A2tK z^(VymL4*lhx6);vBNrixZnULw01--P_C0&81)Mxd}e;(NC&eQd9o+bFnN| zp<%d^U{i*OjolxWW;K=?)VQ#?Qrtbmp9$^KcN`64AHq{FJj%t5p+>({^GETZw*t)g zoa5|cW%W&FD>M|kqzgr#z4Y}id19l4U~)5{=|i zYRHTVKWXl1%H?TZSs5KU%D{1;rKQ{n+X|xcvFgvecn|D&K$0{n?3wn7sEB{q#TC?;v6{COa)*xbwFv&Xa12uiMUrYj^ylf#+Y>>h} zZe$8b3y3i?D_w?LY?CP%r=l0P@P2<&B_D)T*TAV~ixQcr-LuN&$*CX4{ z!3xS5Sa@6?bHSM2rT-o^O=az~qqdSY9n8w}tuE`dR=|^U2|xU5DMZ-F#q2n4j5h(<%i_hRkiwy;)>Ecz&c2$!KIJ7@Fj8z{2g<%) zWrooo|GjR=Z*R$@8JEgcZvuJay=6O-wN#>2f@V#}dS^$&Hdc;aWrXdw7RU&G=dCRe%Wct)V9O%Dg7}>#2DoBBgNLZY9 zRdXJprW$^?yiDUUcD)^~(3LYW5~iTB+!+?j@nc?<;XSgi0(fM@!ECMglvjOq^Z+0I z-Eai5(DAwtqY~EyQnXYP!XH|}M)d*Xqyh3;O`@}+4Z>49MxxPe|8h0zqehEVp^5M` zSkb{Kn9)^SKh}W!r)jBEf6x>5d&)S6LO^^=R_4qgNT0o(KWr6#`g*JAn|wB023cDP>HC z!pR(ss9~0rb@+*G8Q=;94Vat(MB$1}U#yO3-QP`XJxOY@AtmdVY9%W&knoQ*2;0ld zC1FA1u!kAP=}Kgha2GK2$LhJ0U#)a}0sN+1Tp_w%u$okZ>9cfB|Gg@e%!1LdPcjFR+e~RcdIqStR6&Ny> zOmasC3zFT~a|Kf*$OPZe_?a_Kp0{R-+`DQr(-y7i!Q6$>Xvl{W2|;~Yx>zC?38k_Q z&@LP2@snHv_oBdO)6Sk6=YM-BMzDc;LYbekGQaXCakDP4`vR5h3*mydAu5?$6FdVk z>GMVPO5O^i$sK&VDFc*l+HjeM@$B31na1COwIW+9T-I-3gWH3G$nfi`W0TB*@fa~1 zE@rk>d`gWhOx+ETY)iv)=IO!D)+Xfj9WIMHS9V8NtHIuDG+95xm$e8$*Kh=G_eVgzX1?jxy=O;Z@S{mUnH1pQMpR z9p?m!XU+Il>NIO**sULK&x6$cxD)9~s#0t=4T7r>i$7cq7~A(9Z*g z8E&UYfzYHd*7q*Vf(hBeROcFKdBq%G?vpiCiV!DSz!`@rjGE4Y7Y%SpphQk;lhbXT z-XTWHVo&w6CP4(Fm7aevo3-|4PP1d8UNFm?wjzg0cnv>_akJSldX?Z0vj ztH^)lngN!7<(lPJ>uUqbt!R;GjFjL2v=<2U8)OtMl5J4{I3a>-z5P(Iy9e#+jOJ^c zdj~ZZQUge!FtXuDdCE(WUNS;&2=3+~et4R#5w+g=l5NsNe3jrIIsn!iJjKin>VX+g z6G2GNto3D zO7`bY!J*La_Nf^=P8@<@#T2R-E6I&W;;gL}o&X*5`^(ngRz(&2g+*T?l}MX?#N3O? zi~=XHAxKAPsr_O;IfAFq>9leWSW4VaND2La*&3?nhNHYNAc?X$?CrsV1zYG3v8^66 z_d>G`;eXH^f2je*x}aIZIro&=uUC^T$D|i**|oxpxPsR{F-yJG!d1n1CYs z!vJgO{-W9$(i>|SmJkwbd+zu8U$ADqimONZqbv6fwVcYzl!FAU>SpajKJUfQ$^gEN zPe#YATMIPO*7`zGJ2cr^`8Qf_)$b?s94DUgKN17nSj&$H%|vIDwLB=*WadWq+C?WvfmWB0BQ(-%KMG4A^DKo&J*hFkV)2& zJ7Xrt(Mx4fbB-mU1PlSU8POSmDqy_gMwkG-=c&uM`p31QbGCWBr z{v+3*+}VK=-%u)n{iP%Y0SdKr7nSsuB)(0Ao#GVX94U>*PeM&3p(;qzud35U%L{r~JfcDg%<= zTGb%?3XK3QG7(DSDxO>iat7Vi8Bp*;!TnHN>;1x1>YZlEramThc{EEjku$?T!Hpy< z2<*!;?#Vk}7K~Quc=rHAymllfFh*Av01(-`Sf_73lzRsvs-ppfG{TVj;%? z2<5_&1d0H1@jIo>P4{ofac%=SsmcOlqP>gCV68zB)_zVTxZ0Aq{ zkZ5&C2l#|vvfekUcoB%D7KI4>c=X9WibPT}YzSAzNO?4gt`kL_lnVy{;sh$Vv0bcP ziX$UbiZSE724I|Ros8p%EzFBs4eVH8(o^NN8iqTMk>MQR?7?(c)>du?onlrHqJWO+ ziFmF_i=L@BudhL@`NdtPDWj4#vRzYbEvWgGB8)V3pw+)W6ZK!S#<=_>rd;uf__{d5tO54`A!K9y-gikF zY;Uyzx-Nsd-;&W=YyTLL^fCsercu1{7mj2@XLUknuaOj@FCc7`r~j9&L5Y8iIChVE z%=aAf#y}^7t%*O+E)A3X4_nj!4<=G&a{tQZXc;Lri6Ycbp#Ztjm#<-3;i1-Z47CP# z#vfXxh)za?yt94M&-5R)23?%`uUdnSya;Tx#M+EJxAL>A4|d8d*;czz05AWr_?y{k zl>jGvQLF@VX4`2${-C95>TsRPriI}Rp%0z_fDqq?r2rV6ZL0V-z-JFQcM+`LW2{f} zS1tlCggld)hwB=ab8S^}*#LpPgGQ%OLTRX@Gddzaqh{*?1-CbTO+;WAX3bv2AG4-$ zQ+B;y{2qF_Y5;dTb`%QgW0*Bt-R#>0@jaq=2N=8!U|?$QKGe z4}9jt2?~20FRt*yH~eDJ=jQbcP`K3_xVe1R&Qx%YX_RF@QZrA9nb+2Iy+I`y-_d%kqFrd`(DlXr6h?;v7JAsw znW9jp14C~4UZy`V7U}`dY2_OIM2U8QA@OiuRWGn8ENHpO|7`4R0UFjw5G@kU0k%o$ zVYpbqtb3@q(vOUflPvif!jBqb^$x5AIx2szz>w4K_j7XEQ+sCSb{a+JXbw~b}aeU}%ED`ikM zO835k^l_UDQ7xq~8(okepipNAJSJ%D5`@5^V0u~{wN!=ZhAvQZLn=w46D^&?CKw26 z4EkU;bT9GSZPw9nHPr{b>SsT_iE|M#P`x^AZb7c&(Ia^LAVwLu{VUbfbm>82Hp?ODatC$vo3Mv6TrhzPKcJ;| z$l=s?^&bMl@F$B&(zN8^|1vcu&G#Dm!ZhjBa9wc3)q#==O~+~bf1MfDyQw7_jhlo($C;i!)7DG<|NNjyL5n(LQ{ zMcGv!c8+=1-oz4A7fo_@v79rPP40|W{DM(_!4HR9?;_Q24y+Y%qbsuEZKG6L;fC%Vuz4@jy$SxX=z1 zpFVc%Ty~7Zp#trLDAT~Pc;ay~;f3aX=3m!1;z`eS!Kj`{?dEcni?JcA@Q_q;tALuD zNyq`-1p#4UFEhZ?B~oE*e(cC;GSS?!putXC+7~$4BpK=uz7>I3Xwp8lY&cV%a<0;X ziGQA1lEloz)sms%>L0CO&t+Hck?B^{?9}X%?N%xLWrB~(^ReB&flibC9oyntZp}K% zg|_F`t1^t#aUUl7o*ac%D60tvuYSun=NDSy*NP5`$kwT1YS^NZ3q_tO%UE4JUJf%(74^A` zj&8EQX)7XuvG^3&wOw=*oog5`gn90KCjh7S2Jou&lSuMS4_l!EOK+Hjf|Er^g#S`9 zlOLxjz*5$fKFTXGK1S^mNC}im*1<{`-vncWr$8G2OVdOqk{Z}9SxLgW$Qp_Y4HS(Q zrB-aKl~NP#*Mw;Y)gZsIdr@&0)*WuL+orj<+o{q=n17!p$t#h5JtTSz)~Qzz@)x8* zGesA*{sC!_>sEuTKUq2Bf)83t;vSXbS+Rai)dWMQ7pbQ-uoby?`E@!u(!{m^K$zj; zH?|)4`tQ{&`ip_pEPVV41g5ueEv!Ldyr3VKHC=GP;Y087#@j^5HH?wVFPvXBD|Q3O z@x5%_7b~tbW^szmU=}IO;uR0%bHz3}W1zYQsZ3Zm&&eYtwfL!gZczj{$UysHr_@;d!fBxW7>i>E)6Q7-ePXFuCU<1kTw#e@UU3^nqQb+@Pq*x2b0N+KfqL zn^C8GSofvQ#@m9W{It8MUarvw`eN$w_V_nb);S_d3UVS5hFs>NVi)oF!z&_B-fF6@ z0U@0s7XwEeFgEeEUsPWSfpehzYK*j3xWamx;pIjm>q(SeH&pQQw`zE4ETKQYYH2x2 z*k_Rn=CF+iR6~729_hb(%gVdSYnXPN#3WHKKE%CWPm{dtV$t|2g9V8OFOQg8PO%mtwP_0zIkLGU?)>A5H*q&LCWOq%d-CenWce;1y1i0I~*tnVNF!5hwh& zgal9J)(siMb)rf%Ny4De7|>2g2Ze1CJlBmoypSwc30nZJ;N0^z`A=A{NrDlFE6Mb^ zegT|`bb=aydB46|j;6xwzOc$5IY1jR8B#39ZJilt#8ws;@GNWl?y6msn4FA7_>1~v*llx{nn zCMYpD$RSP>O?4`$6-SX|FAL9O6A4L`I17=d4Crj~9YR|Tc3ig_bViK9c9Ug}1(uWG zL?0P1YY|ZV^M$h`waI>sLDoOgy7sNc`t=&$n$z@%{`@)ua_ISt3yB z9D&u+yh9s&?PHtx)gY4e2clTjarr*NX>+JKRAm$ehJ1 z6gu5g%_Mcz$ndh?As1o1Q2un}cIWuBKKR)m@_bUFtaDzaW1KJB zwvvknVuRngNi`PNS?*nYFvV?$9S(dVUG*^%{XWkwdf{grzA2hF5<~^Om-1h0kol2GK?0zeT$r7uKs1k@#XR| z4h(JPW|PIWfX4C?x8U~9BexKSl<^|;zL+!?_z2oW4(Aav7nL#(9D)l!`9k$GmoOcN z1Da}!3St)5*12s2$N)>*mv82Ipile`IP5Jdmw1yLElsPi4&6*=oj>yx<`6uF3)e}I zAEk?D0)WkUcfc*^nPfa#e!~la%r{SqsM8ko&b#ytmr>%c_&h-VGE6GFHdFR>qt1%n zi(CU(LCy{;~Qd(GL%)a!c0qvu{1?a&OkB~45Z=^9v9yhwtA9^fgzq4L`v0XZ=)Uc5)C z8`T9R5BV~F8S>M7rGtfC8>%UK!htoZ6SN%730d{LJ3BqiEw@zWUy%E`Tvyu!WX46K zo+Uv1iw3xp-gK6gaT1w5Bjb4DUjtA9{EI5xycHkY8mgYH-(51fYuj|&h6reuS#kvl z@2XS-=?dK*zUVRmep#&_fyogO{p-Of6|pwm6N|bh%tIQerVaEb_Xi zQfTk?i9U~Y*T?TCZoqj2Hh(jRcvnpJPn2Z5tJ`;+KmX#3w&`4A?4Kuh7)khW>!=^~OC{Lv`_d956T@o=2XuurDiJ?DGq*p|73pY!NOZ@{*QCdJ{4lGgbyO1y5=$KsLP@bNYyPfINxRVZ%1Zi>0O$7-7{qLUZD$^POJ)a#m+%MxR?n89~GTvZ(;-SD} zJs96zR4Su*TkxSMUj2TzxN`jUtIcR)8ESx$8v zj+5SM$@Q}*bZ|9kYAPGLXP^9HkujWG72Se6shzK$tG*>6#&dQ(OLKZ4e=8%;m+|wR zIGxIWJd!V?hAYsAC!CPZ)}{1T`Qf)=Q4116>UW*^Wg*;E@lDRhdJuuC8Ee(pFn4EH zvwfJf<8o6c=|ca`L(U?Vkktse*Wa2zib$smbanDmD}uCjKC)2XRKbo+X&bQT{m zK=YobyYoB!(<_19I_SnN_S8dT+JY6u?~O&2nFjZ6Pccq(8*ux_I#%l9xa_Rkh-T4k zmq)O0meFOBINA6@Rzqdtsv6`x|xQ4tJqXSVI+Pz5GV3KA-(^gKhXk*57g#dP8r#3e(1BuTJ>g zwCQwffUG(04n>SA4k>ox*D?}IKpoU=<;U@?N4wq~uj>Y`&SiU1OPpAKOp|;{X+(U_ zSD^vv`nzeLcyUT|%8TK$)w7+iRBom=oaj%zg9vd8|1o-&|N093fZMoi3}q$;%8jd*yy030)m2tb>iClJLfz9AXjEa#x>tD zp8L6)D#=(Z{N1e(Z81oUZtO|T(_niGUcOXw@veekCUapp%r^?) ze$~kyX-v*XOzInI`|=kK__ZL#_Ce&SBP@4?;5vPJP*&moNHs8eyDywCs9eLId{tqw zZEu}PHk|5p!V&*MJ0i`{JS#Lr?2`4<{x|DS4PG-{zH;B{cH_w3x4zx%6$-$qrHU;X z-$dKxA^UW`zma`mW=&!S9EL~VUM1fpj3wFvtYnm{sRl2(`io7@U_DlAN5ouz*P*0_ z*#R@$I``nC)Yb31b)Y0E{I$d2UJtn{krx9k z>jP(7@7@m&`Z&4y?p^aDj)?1vJ-NFJVr7|{C7C-o zbm)H>Zz{^`qSc!-e(wtg!h`scOEEa0C9|QHk3wwjE#^J_MjCRT!XKN!BSMR>-?RM^ zI&cpbeDW>0dZmr+yd7;xrP=Rxi-p}VCz>W~sCnAZxH9LC@L~O}^8T?bul{DuzQ0y& zmeb}&1$Mk6 zIROmubh_m8>^#vYDVo`Z{Lj9b-bfO=^3dOt%oJN~NCmNr zy$oFw(*ikYiPi*!UM3>v1I#zIc3*_m?MhtB1C66}(9M+oRB%J%AGhR$ndl+f%;v=# zpB)fnL5`X}2hVGcpEw5_SaP!X7cPk&_w}1Ok4w8cn8LC|W=ckhNRpG(MXs%4LDmy4 zM;GlYB}_ffTBmo)T=;g)HO)0|^SYY7&GEU|Z>h2V(sIF0a!GLVg*2kjMaR0H0LyX0 zhvKm87a$vgJKMShC0vBt^a{x5LP|4itu)AO9Qd0z3XqD*ib0G@LDo#O7f5N?>LA(v z1UmenChhyjDgiW>ml9(bG|u#&_qA1;UxFrwvpLQ%{DDe<2slYiUqvQxLt|Z3(|iu? zn8w#tl$^e1ohKDbEB$L$Q@|Ppy)o)96`rX-YR0*DqO$%%@M$x<=tZIlA+o6?PSQ5Z z>KtNmD@>gokxgYT<;m90WfGf!B{jpgHR5e1VcRiI66@KiV;;;TNYxUfCKX^Nv+9s? z6#Ek@8X5SG&Rp7M`$A4!_-^dR!*;PRJcGe?C6qov6mMHK8=fX%8%3TjC^+a zU!SBS>-;_}YBzO*J)7>6Y&)cFG{c7PdeD86;qe=))NH^6=KSH0PvZ9BU!Q~&6J;VDeNO2kP{^^L+t~z;Hv?TOvnOtyqWD<5+Um)k z=Ce7B5Y_&xN;LGa$MdjBtT3>ww5)8JJu*$xT(lDu6b?tk!BtS^jcZ;H8aZ<`-D8)- zvN-6_3!_eAp_o%ni(__!B;-{84Vo0h4X8cWa=~K~mW|YojlBUPEp0?M2^Y zdr_*EfAfZV?02cMqDd9~yO|Pxf_|{nl_)S`5E(XzL=1uurt$^@k#jK+tQqinUYf3v zppjUAY$A%k2&PAy}P}Rd)cjp}CIQlC1S0mXqdit+MvH>p9Yfh{Q zVgd2hFQZt`ZB+I^GUk^6ChaP^SYT1gps6OmWd<_yJ(2ES+&5>ZWB5H z(xcs+WZrC`8T5GqCfZ+@VDbp5ZQ zt6?D4+ek(e#IXqdKgJAH*|6@ z{DwpA$~>qH;c97j+*=rQc58#~LREF@dc&EEFpQ}vy7Iv^kPB7o7S6)qu{z^3I4+wT^jxlBqY0cYl^Z=fGXpy znkFwn3_Jwc^pby2N5DL1wL9uZ_xlV+?P@^%VHPF)Hu)oCI)BdR!=5!XL+S*O)_m^= zPrMNKoz(Czhs*m0%{r4_N<%s$3rS$L<#=A{%7cb~uce@k< zII7()*NA1r$Id{u1`HB{)vSZ869Uoc77e7;YpE@)PW`3d1KSTa8`?mQMceI)x?1Io z-Ori{W(Q>q9~)l|B5MVjvb?hzVh7*LdK-|S$xDL`xpt7;LY-a8;e6q~Y1$UCBDXxP zwm4077v$CfJCdy&wLsinV!TofVJ7uH(k&*0N6ExH-9#}tV;DQaqnidhn1ZivriMVh ztY7(XEZ?X{Rs$O?1{?Pb%JVt}A8~%UszZM?M(7PLx(u3sr+!Sy(pB!cb2`wdy5|Hm3gmRqPN8$Qi&z$_AuHI5 z@kd4O12E?Sn9VWBLOD@wf^qB^{&%Z1X?ezH)MEc< ziF5uKiG%vGM4Z5tM+63dRr$7MJUx*4z&5jU+xtOM@R*H@V#<~2lKhC0TE1Pf> v zsr06oW$3J<4ZI^ZByB+4(SSeimWGV^L)BXs%BiQXz%TGO8NMnw^ZJRE34e-Is>uK8B39 zey?UL&std=KflCF_eMZT|9T_T+b)=q%*@FNvx*|jaNLpy{M?jqDCDWd&}bQCi%O{q zc}5^V)MjGal3i0@2TMk5?YWQtNY4;h%lf zMt7`r@4xUbNN%$NJ!QUr=l7!jD)i|3O%$XI7Y@b|fpVg_!QIE8qm+Ai>go{aVmsCK z>Mfls;7cw|Y?)2mc<+vrb1!3wkTM;BnaUFKm`3+TzGqB2VTNU07}p*%DwszRFd%wM zG!~eI5Z@h@SM&-@@mbNmk@-K~$nLY7)TwRlN2bhvcV!o)M5gUkr*$Sl_XJJyms_p(#PV}N=@G_6VYjM8JyH=sy`HumY#*J>lmJY#Mdx^^Jfvt)+;fpJ;GODF^ z%k)14@BFH6p5%Rg6_mTgO9w_M@~p2P)3$bBjZPNHPBGGZqt@IR)#U#GBj4|X-KrUe zZ_x5uoumTZf4};^E_0p^j6C3?vofshb4fziaaYr;1mqUc_cr(hmIJVn7ZsZ-u7V6O zFRXq&3fPr9N!+%sw^|hG+)OaovKHN@O`;DNqswM^KWW+dG5R>aUs!^sN5Wn7K*r8cF>Y<}?e8ZXz&O?u=%_JC>~RfxDn@R!C|G^xIT#(io-D5jOs0okO|Ue(4+}7v@Yvg5D)rmTv?- zcn)DU@Ixk#nTd6{(JlNFX+pMV6xJs3_ZU^T)_;T2@xo*8!BeM1NIIU%aoqc?5@4vFIOo+1e;UoSr6t_qY(${dc9yGmRcJ}UWZ5TxSV`d zG=;rCWK1LDI-2Z?pf%&folfYhM=n>^BUDx_|XM2GT8Q5NTex!XSSX<^r@)Pm*swQR(Q8 z7*rJ`mtUA+xH>cbU71;y_&Goy07R@SSTQgP@!1HL4JA~87~r?79Ytj%MQqi838zYA zIgCv)$%&>#Hmc1b&$@HPvbp8LmoO5zMyMc1!UB4Cn^P32f8Q4UN-e+!31rxr!Y~f9 z^`=)aR>{V)<-&F)jXEL^0Y*;Aj_~1qSUQs1B-@l8w`g}(x1OnR7dRcp+#Tr+tqETG z{O(@N-oqs(En^ThiIG<^*Qs-bcAfJ*a8Y!caY{hm)u6K`!uN6UnA-`DSPDB}eDi6A zN0H0rk7}*1cQQI#vD@=a-cBA<6vM5jr=v1eFD`@Ana-!Y&6N$oN}Ju3v0 zI#B(}>(9CHJbdWc@07G8X)yzHC))-jFGi*%V0qX`FR$cq`yB1~`h;qoN&1hSbQ#b; z!5J-$GuSCv^`R5^oKx#W5)|yzFYb-OH?%a2vDx+(L;tRU>?Dar49TlK%HG;jeHz25pswNJnx*lo*sV+B^%K;7lG-d0!f*M5 z8rHv*LV=rd!_lOijTN$@1SSNN#2MA|;bD@WR_xbWH>CLqq;#)V`huk3Y?~LOVoxrJ zc)ZnpM^f<3B#tBd=<7yP)eo`OGiEoC9jQ&V`LZ~8ow)>D=g00;5mL#X#yDVY)Js5F zWl{+D+Oin9r-!CZ8Zg$W*k%|BA`6;m}F=u#MoTUidiO)U}q*-85!EA=2aTy z5@e&hnu7naWvsQ5xy_M<{?)RE4hs-btJ^y0pcDwAQK>?w^d?0ZthG8tcooRGHu|Mc z>RK}L$n2$0C5lm{GbKL56efYHu8TDz@9FrRa@1SL%l*nFy*<=6P!b_a7TGM50M#kLbf0JW-LA zXI>(uBp2jK+7b7Hkz7O)4BQcwW+f!?BTNai=&hrb3>mBN);4qqF%xX;NL{maus)nE z@ov;c-1l$aIx-TuAcSsyRS^GAA?3Yn0^>%aEKj3ZisADk zXel@Hg3MkXN7MUZx)3tSzAjbVUHb4u*_aFJn{oE+0=XX>4MI92puTz6-QU@%(U#gT zcS1x+`#>GLu%t>>pykuZrh9HJDbc65ioR&pm60T@Ove|q(78=R;<)Q(LpqQ~uMia?P9|ngakE3=f(zC3c)yqlK2N<~b!2@s@0g+r1To%hW{c~? z!W5aGSS!XdvPX9IC(Gb@Q-*OY50{&-YfO>#*~iwIdpdKhU_S8OVHg)F0hu49pp(Ei z?JMJE|rN#I^O%)7zdwh*}b#G!?Ip*)~<>%q(@}|A;*eB(Wz1+Aof;t<6 zUyG92hn_P?;UUWIBsgm8q!Hrcq!NE_+Ep;J8WOdDW%#jpPBDU(cXjX41*Mt<@n%dS z+YozpdR<-38*PxzD_TE2+H`Ik5BmyZ9>GD;4P&J}@FGMbWY!~<5~L9z8|0mUU2 z88f$w<+miY%T9=62Xvt7O+XN-zdW5sq3E<8&js~F{+0&6ptB?8x4k&+7RZH~R-L(DUH-Z%JX_3(pRtjf*L^o2g zCg-26Rd&Yy8Xhe)p{~Dtu03dOz@-7JT7B=yqsQI2n?Hv|UzOY3Z8h?HZ{&_(|5%$S znQ|w4((pXr)Nl$ss-v}xpVM5Xy$+TW)8M@LoQp|g{M+fS84fRb&pM5~m#RUz3N3%! zklt_0!qxhQ!p1+Fd=uCVTE}YfZud}qb5UZ?38uLI+(eKv^_qPL?R6j3YB|FvTZ@=v zVhpUF`1F%1AGfe3#O?)a z*9rqu><=@Pb3~JJSH*Yx=kBCjZZA;TcK+vR99yhNQ7`fNq9rK{WSEHnVQKfb1u=;^i+vYdg!Dt`E>%~ z)d>4;3}5GMLynIfds!yKt3o-W4>c4coL|SiM5xNSd`gGOmr@Z%^GVSbN!>gW#{T+p zo^jlRr3b^PbFi4Gp7%d}YZC_+eIIJ}ZCco>HNjqbz1T-PS9i&|Ggd_eM zwng+4fewI?ZCXIH_H84ch|P`v5_~;Ja{?Eh&ym{y=#+Mhp~R4sWb`Z;_H_iO(2rtB zYT3*l3{Q-m?!NAL>CI}+U%xVBo;8u79PPA=CKZ^u4d~-r3v@m5# zGKJ54{rn4#{p&YNsZeCKiR+?|W?b(jHb2P;-p8i*0?HSLs1`7(ON9}ruzJ0TL~72Xe(`Yf9XyJF zyl-2bi+6&a&rscy)#M)JuDq04W7a1S)5qJTS*tsE1nxfK?|wJZ_fAe?TC08J2eZ}) ze;eOvcaY3*|KL2eTQ9h{WdK}&ROdhyDRme~$RvFFDq1=$v)g?_Cy{vHZR!~T))rLqhF^sSl`yiKdSk*jW$80HFk?=1b2t) zb_lnZUn(fh^)jF$63e%7TUYKfDT9$0hhxQtMM)`&`JB7YQe}r~O)MC%w5Ug-(*Ca+ zqV)f%Ary4C*ys(==nX@Au|)khBY6AqGhBoydw6ubiGDma_ffxd9WWyXFxH?rIv@cj zT3nw1YRqm&UvgX z`2w0*N(9flETunU+G3{cx|?CEoPh0kAP}A}(2=NsCf}We^#u!L_74{ZJd9tM)FLr} zQK<-JPzE{aJ7;RxJmi!z$Yv=eqLdQ;E6t^O>S8%X+XqD4GBohP!ZJCKrlq+|*aWGeL5GgS6Yu7d_~QqA zkM4d8XM4pz6|w{eV*o@4ID?vC5YB5;T@uHhs(+N?lB=>R%g`E`$QJ+@0kAk`i#S1x z&O+-Lb&H-%s!lja^QaKHWJ1?MOm-UvYl{}mY7!2L#|a&hn?#r<-g2Ax-*5>0-ayHfy~qE7L)rxY1BbxZ-@s4rnqx!8w=zv8 zIV~7`unZw4Q5963`DB|w0&5Q#=5zub6jwrv&|Wi^zuLAq+!_65kE6zGN|K)*TTYL) z(?)tG#%7=X02?&yX*$>y=Wr37BRTTj9t1BlPt8m_+j4~b>}I@AE znX*{g*;7Kap!zeE-YZrwPKISZkN`U0V1A3f%Yx;0DR-359ClK?a~nz05JfCVpFVHx z0MkF>r3#8k^MCyirZfk9y+cQ&i9!50T+gn1+Azn0;(qlx^4OXj$!mT zJImOcP?&K}f{&T*hwM+L^u8$3iec+pJuLtv{E&O5k0Bdi=kM;-dTXWZcGJH~So8u! zIy`Z$eG0BM@`n$>KF>?G?&2a~8lJc+5D@D@xYGe_NG*=2N#m}wH1E5`TTZX zNQ9p}OBPZ2be}e46JVt?TK`i0euCV5lIGRH`s2Qd`m^CI=US6F-p#PE0>E1*q!98| z;8zH&l-SWbBiT7wCi<+`+dhS;o;V?jouTM&r6gX3M9XLmg3M>VdVITVjZB{ihmu2; z-3VmsPW1(+s}A38&FPC1Ce^4@x`68ZoKY)g`l{;vX4S8PPJeOO(q*(_Vt#$_RH^&;^h=>P?%|b-7d1rNU>*QKW<_}dh^$L*MP^Ch8Mpdk zCRfoQ7Vb3o*U1#E>e+cONlbvfEEW{qVgCmXDYaEukV&3M_Ks1Il~xFhgYHvL3iipZ zUn@Zey~!wmzKpFm1s{FPd;_z`!gf}m>M#y+Qpw?57mAq^T5ieQ@O0f7=17BX5a{D? ze|`63`?quYXMbjru4lfTzfTexl6HK)2+|-jXo!Y5^Djv(vkNb?2COaVpHm^bu#-IR zV9PvnA;g3#X`i%^W;hqh_lsPbFW89-#ra1LL0DIEJlk@r%bWp4m-b81Qma*gPRY!)G ztHbs#2>89v9)*2f~tn1xcL2lB$!OnE%a4YK5py6Jw% zlP(lf5s$86Go$jY|LcdOYAOiv_%3rX$akdmKkHCjOb~qs4s;nA?OxZV`tDbPq&t%B zIv_c1bA=AiFGDwq9G@$DI72%C)i8osKdX4@^97lw;}gy`Z5uvUS8uu}Lyg^!XZ0_n zkZLvj>u=E-tzEF$`OD8F1MQe){w_vunQyAw{Okx7KfTUCd*Z;+bz~^^Ft-p#Um!3hZBG5`8IJ|i>Oh?i@MoWa`10rM=FNbn;|%PDk3OkZ@$EZG%Dcpr zFvpLK)`QJYY%ak+M|{>_7<+lT_v3HmIfkq%!poW&Ah<(#dn-F^DKt!yj&sockbq#i zACh34wIy;xPa3SNoW$rf7u*bwz*6`fw}Ot~VJHU9+?Gnq^v`n;4-&xD49gGzxx%Rv z57(*xAwS zpM2u`GOcEMk{oDD@j(5Hhs?|eRoiD(l7o*@!bl8olBB6OS>KfL_(~FAv#;KVFZ=z8 z_ME#^7(}zb_uQ&h?ueeAo<*VW?t~E)QLlGa87wz%^3)D6j{ye7aWv7Tg=?nI9*6pe zI_ek%ah!kKsJMB?@!};(|A_3Ml@0dSz70OwRqKki!Rb|EoqKnlT-=fj{!sOq6|rwn z3V^W*h!0`fX`4ZLNQqbFiq#ZoDZO$m<^13Drwu)Cb7A0<@c=Hh`)#8BM6y10%I?z_ zT@po|H;{)23rjb7qX+H7h(;A%RE{LK9NP*Y4BwC4QzR#kq|`EvW2tWCw`v~!0U zIiCe~6QjGW;5RM@;Sz6UXWTZ(0!xEKV=<)R4S$%S8JNWRIfqM3)jvWVqjQhh^JnDFX8l8^gosD zH!Wq7vSViXcZ|AL{_T^aK#^EotyB+_3ts29WHjF}9>G2TNjXXJ zxNtfK8XBMKuE`d7Dp9BKTkz9$zL}I7Hj0rJ%zFkxEvZ;yEN5A`@x;LYn9j_q$t~9g8@ND*t|9XnIUVD+t zaat`u?qu)%7;4LNjpEJ1$D|r|m(y(lCAi5xU)z*X9`d znpv92A94>~^D;Af?cM#hjmDRC(d&L8m+I&jB2UX3zwunQ%@Y;u9b5ow1k=D!89OI> z|1UO0jMYw}j{K04C}lGbSos|U*&na z*gNGC8N21_9=&(DB<*VY(a3qrYH24@`amgK_(nzeFkBt4x!`kB{lRp>TQ^0LKM31p z>=M|X^^y|MDYJkB_259Duv~l8gyaLtC5hryL=&99Y>b#BltMt^z?_yHEae;how=Hv zr3FGJYuL^#QMK@|*#c5oO^DbH89O+8&XF2iT2myPuC3@1A$863^*AeKA*91!Dr1q& zYBmRv)d@r^`exx2$c>ZqpcIW?9ItHPX$u`V3~~>9>`?0wRTi-AMy^4Zx}9NuxpF=I zIIcAF^oo;nw!y~4&#k2U>eXR+E~1hrE8wep&=_UqgiRwlyfvr;Fq(lU60f$o^WV<|0Ng0ncHYg{o)CogG5KIa*+ zvMOtNCM-?NUJMfK>Zd99S>y{ZK>Rf^z*}OB{gZn_eA7}lVXM`4e7(v5NHlrT2gmY6 z`s+>AFG5)OsYag=neobK!E_3v^~V-=M|%=%3PsFMMS8U$zorQGY5Z&po9iuU7cSQF zN+<74ZD+{Av*u?K$L8m~b45Oh5S#4&j zJ^9)wDizC_?g3c7-T@~Z)n<{&Owys%+x%L{8$2Dv=soiw9 z-#1bM;{llKQ>+uq)OgCo*oio#iyriljp}5xep_F`_=&3;9|}Gqu`XvJ2az17w-OKtc|+xh zB{tmyQRuG$GnNPYNxcrA0j0G0hw2+N^M?dJ8%lvE7)H4!koN{_r~KzP~cDeXrkGop6A)-L)o9yaQy(Z;790w7M(GSgWwFD&1d!JmMK zoJKQiq~kJqsH784J#>U}_!Z64)#!5NHV1`Zb~R0GTnl5BPcoAmz-SsnhKqWF()K(#7PoqHbNK=0#IdmoQ9PVWKSq}vV_FW zL*1_hF()8rZwV#JeXtC8Wk(=|q7wp`&vVcJ?GmXdEgItK`k|ZWBK>qJgd!LMwab%j zi#@4r*)gkh)SpFtFqMbp`x}kWg9V^6-taMAl#2VbiaCUh`kA|#-PP+2n5`!?Ny5#O z{t8RF%UMl3-75mPB2EKR)?|Py!W#5Z^dcdAlcT>Q$!!S4)PUN?FgwezG-H(EBs|l# zjpC1+Fvd#ZTu&j|)L5V{uUJbom5phZzp9a7S&yJW>#ERRy|KATIf=lr`B zp5OpODSpp1rXdQjFcbQBAMGxHz+98gJ}3AUDm>~?gG9K7DNj)WJXVwwdjf}D=3Qdu zt~i{)K8BEks==?kcyGZcMpzR1(;2iNNyT_F?gpL#Hmh;H?aIPMQCZz@PqL>2mLHW} zXrAH*u?2*(Ix=~2`D<)_H;(dfH2cDQ|HZC$sTqH`$`ul`ebN$ZVt}A@Qb&OCqXag- z07LjLU~ewx$QWiXF8tTAtuUNe6+LA!wA`>7;zGo7L|WS$ow|< z`w<|+K zUs&INV{pyryPaqRQ{(aGwY*_S&iS=DRn;lGT8_Pt`fiI`Pe*6lnUrGzCbB402@PfY zbwWPdvkVKR=SQqU&E+34lRz#zQglqnEtYfSKVDD$b^#Xm&HEO6??4ZTBqw{sD#@(VZ>o(XeiM#s|} zXA0>|$F478)~K@G(*4Q@;*+5gV~tZ+4^iv}@42buJz(w?rPAB|{KE1=H#6sV_R?OW z)$990lbPp_=iGnXr!rLx%TP}tB59B%ob7L{a3m;I*F z{vkSi2>&5EvdxwzVUQ_L5-SS)NQB~)4BXyJwaNvl|H85?5&k7QDBG2!kcMhvXSEe^ zj7b#xU!r4{R1)YKXT`2(5_FWe%Z_0O((tBYPcv$$bg7G2G6AQ|qY^GA$LMRgRT{i^}Nr3n1AE@V3Ju zW86wgCkfZfEs6oL*nv6LKq(!yZT-o2AH&!jxiWT;p6f(UcF%#iTJ}MN#&5Esj^q3s z0?h~5T!Y!1h!el9Ew*Q!YiH&Y@?|fy<>SV&%MXhxHz@0^|7&u9G~%Y}?N@dFKac~f zrFcU_pNvE$a`a$%5xDnzHzfiR*wOV`)86_UCpA24!@xH&6rvUuK|3D-Ld{dBSZJ_* zH>F%*wDMX57AC%jL+0Y(1MjwLFe=j?zN|$^d%hka^Pd)g^A8-o?uh3?&cn0{IjN7pi*xDe2~?t~z+BA*>jc>ZFLz)T6R3(ak?Fhv-^osYnsW2`5sV%3IdC}t4H45ugpbX%o<%!w@H z_Jql_-eDgXe_~fooD^pJEa>aVFFZ?rNWeq?r8s2i6i1r4oH5s2-ok7{{rN2v>hqNO zaDF*=jTcDRiuK{E!xi>WYRNq4`lp<-c*xoRI2?t;zX}r`m?r&kIIz$d0@P@ySQ87B z;Q`$aL(Q~AwjG>I2h}pEDF&Y$liws?dg`Y0r&`TGh;|_Nu3z5ls#C4nIbpCIjt=!9+cUX3zFT%jS6CsmR|Lf z!cS#hONI=KKYyS84y>+a_!pHyKo2x}1Y&%Xm|5jAYCgYLu4QKx!!a=Bqr(v z*4qGdx4bn+>8=n2wL_se1}OrP@Z$DH18KU$k(5={j4T|>yqVIPL!ViT6*ZXz6`aMWT_AxSg~(MTH9_bO7Rr2W4%L;#yvreQY+WOuM3SlWok8HJ0}>-nqlYGWG(>0$xUn>O~7 zB}WK~%r-wPq~*2lqNwq&x^ep2Dq6eYf7A`~_pZ%9>V{JR(ue%B;XOnikJkKO>PB@U z$5-&~BK7nBZDHt_-H2i7{$VbH^t47oatgrK1LC7r)-ScgevLm7MaJiQw}&MN{sOf2 zmBlY#;N2P4e(8_UF+|r~;OM}ulW~$qlt8@DEbYSGbU;L)P2^nR7pJ$L_x-vvZdpDt z>Maiq^?1m#i{)}Nd>iyp*axCbRlw-s@9~iCnJd3p@zkv7VvR|V@`0=bb%3P-5Q-e; z5O^gC>r>T{QWYLtxy3&#b(4n%5f2)@jbph(J7II1e`)}*3CR9Z0JHUH3H5_z`8%bK z0Ekn!Y@OkmuEa*`J!!5l+*bfq=?k$Rci;I=A7!0CuvV(|p`!DbA*Jl2eIiyq33Je8D2Au5A03*8!^&ILp)f6JMIs{xR=bct;k? zBx_cv?uy=qq;^TKE`vVP%09Pgg+yqU_OMkavL4iw*&7-Ujhrq7qvZi{Izz_0gQ(gv zxU$NhDS-ek{*g9Jci03qSn1M+bT{v}%4Wds4;($ zw%-#R#Cx$OpsEvO0%~8)0au+)o>$!d$}2{#8#{%5sK!T^HbS;!CTP(Q00b8fj(9DJ z2Cz~TqBw3{o(!u-zRX^0qbi9=9dwGyU7slNBpmEoMvA(=HS#|24mdzqVl^rvCL9w% zDLt&!hTs>&7XJY@CZZ%d4EsNO{sA`7)k{Gi{sU~}t`#4Ei(VIV2GGp@0y6}po|3NcWio3=BHI== z@X|2X5G5xkA?*GUNK^UVk59Vsi<TU|AhmTG6RqB z=vDE3U-OPgTq)^II<0MSsRG;SatAXBQN|bKv~vyL%7%ye8|rd(SlrP}cSt;8JHpDd zT>&R_>1u^9c?eqB05ubM7A~OcH!wz!ERg!trB7uxl&`)`;fTM|U^T+>h{oU1fRrDG z?2_RUaqm6r$c7aXzi>&710mhoSAON?uNOY49=Tu#!%MGp99*8%>zt^#o~6*W(CQeN#Ujt{i8l z6&yWki))RJG2hq{d6e9$M#=C#VDTAd)*BX1Gn{CY(IL8lzYKx}NZ@bF=HAJSh^z07 zcgG}-g{Bi^W~rSubCPeU^-W~KHqu~?E&YIv1d$aEpTES=E9iFOM9g_sTYvs1BkrLe zRrKi4md}Hk4aZ1bl^8vK@XzlDS19a96b3Hber+!b^Qr1Rkf(CU^@>H zY+$U@zN$|~Ny2SYarFog2ZwkuMu)!;H*sAt#>J=p<%wtxocj!R*3@$uDC6ZPx?oA5 zqINDNTm!~?s?eN?&tp~(`yv6Zia?d>k;zsp3?@PyX2X)t6LeG@jf!+GJ5X9gn^n`N zl7i3OIbW7WijZh`>UQt6(~w&Uaq95A6Jn=UqUf#?6vlP2+oVFuW~Zy>>zcPsU&uwY zGAT8|tvBk^%IIW@S5A|Rg!#~d;pb;Q5q;EYe06&YNRxG6dEnyexT3*~JvI>zCgh!M z!tUf2EEfvum6O_O5byafnwVWn2yJyX(Vb7Vhh4PZ3XZ;;#tu2Iwo2no%Q&K~ZCYSb zO;sCG111ww6)R&1e=X~JUzdx~2?H-Avz?d~bP+{Y$q*lz+)PN|N?;SSu?{tXVbau7 z8tP#Rl4jXgUXs?t$BL#)@i<`^n;T`R1WvR1AnsdXOF?6INs-%fEn#V`W4!04_vAYJ zSN1aG)|xFQ2Ev>O?4jRwX$2v|3u37fy%WZ%w3%lh)PzUgX3==pUJW1q-R@@Ig?Ug& zf-d2#ahcwJIEKs3MSUsND(XXR%Eq7*bnvV?Z3H61zX#-qs?&VX+9?a5q}AR2^;FH6 z=9)px#TXpIKyv`5>*YdSO=V~l@X6g}J_H!8tgU+W+0>V73UDz2t6X}@gToKxf|QN_ zwz6NM)N>sHxojXd(;6&s;v{A!q0C-YBGIR)mn2?2(M;p2u9zH=K3(u(H@%U^^r38v zwftT3+>C>jd%&RAtGB1Fk%rv^TnMk;UD>-&@rXNZ7G3aH*$mq|InwS@QsSJJXJR7T zJB-q4$)ksSS~78 zW;k)r@eq^SrSC*Q9K~Q^+OA)Mml+I#$R)2BpacmgmZRK`dGL9BZd3J9vy6*#iVm4g zSdwm{Xx?LyNcYjHY8D#}XOYH?JP+C$YJP%ayIS(ZgzfEtE-pv?`D>>OzdWL!pdT zxLsMd|C4_Fbzudav=11#W-Q`Tf(AYbDP|lpPy7bI&MD(!S!7#(Ay?eWOO>5A3gbBM z@vuUh6-f4Vj{NrK`0N&O8`~Bfz1S0AyR+bMqQDt^S>EBc-$?7*AD6E>_XNH;zy6~* z+l|x7^3CH%QA#A(gaoJ)L8|zY*TTUU%5BE&DEDM z6UsAGNanJ|x7dxGTeCHD)Z43|XX~AVK2*85bUM7hdi=HlFa6bXotJFa!dZF)K=M@I zNKn~uq96<;`Cv?T8-$x|Kb&j)xvUW`0RqKQi>bHSlZZIxvKWC3X?#-cb-s%Pu`JpG zng)~qfGDukz)1;Rwia4=0qC(%TiZ@<$xiwd7=as*0(+NXjT%nZj)k54s_!;9FSqly zGhGR2 zLbq^_pF!pKii#w<{B{?8WzCdo zpR3odIQy=byKX(FJCrqnr~3uGh9newX!oT){zPTEK0+&J2?61Wr$*hwD;O!v-c+rn z8T&+8-9YAx`RIGHlW$#3yT(r5#agIdd}!!0UPu&HI@?vEbYpJ2BbXk>cl_Ki#C=ue zkuQufYEE$Ku~+O^qrKkK$?iUE^bM!}0)=@}LWTbPU`>)&OhB#mnYXubw}qbN&N0oU zC}k)`?9Lbg%KI8k60t#j>;WTC>(}q7`%m*Py|~&buDN^bx6tjv`x;!mleaUkyb z^Zy9uHaQ_wQLbCWK6^eBJF**yJLQ5{;V?jD+8K;o;Nvvsj1c8=60}y3>3(1GT;)-Q zV}rs`Fr(7lt-6axu*`V&>hiT&NngL~%GYg|eE7fKniF}fYF^j4vlW1gGGozXoRl$a zFBWBUL?$Jx`I3A<$u}Ger{0%)>5g|BFNz50wxdFl42D=nlF0L8_=K$M$X`|l4c8g$lHlwSDj!uqa3g_I4 z-5*qg8Jbsb8~g|`ovUwrcFdfW4qUj)RVwB0_i$*IelD5EMOF zJHMTCzQ6l>-S>a6ysr2A^?AM?&l|SVXVirPoLL1I9WuJW0j!T#jB-a7ga9HqAJ+~T zE?XtJloc1I;?XN)f;m1w`wXghJ#@}gL<2j;VM@#o!sO~Z2%l3$u)(zsy!a{6Je04xW+=3$?ySC z@>qXTjB!wFE`s8ci?9EC2It$+x3)1lJcZA3>M5}-H^FU)E#2+*2NKQ#R!T!(?Xm21 zzgxcFPVqHUjkV*bUeOCgm=D}>KD#++n7RsMqmN}<{~UZrKU#ih;Q?HA4}_em@s64$ zW=N+?tDB)P{39#jA{GkUj&BGzTT4@KE3;x$)1j9^=Rwt~E;4T2pUI z8(zD*+me&^erY?lio1q!;gI{_BIR=JOq6T}LtQ?u{_VGrV!~rmw{6}y3DBVrC z5SN6gro#axDLkD2STwKe*zsv3IDnX3(3+% z>=`^Sv|+6oxj$BQy#_W8}d%bbZ~4#2bZR{T|{CDqw^N^7VkV{S_cz z$f{3|WEgXzHff~0W@&|uvb~(o;^!UXkg#^ zCeU6ccs)SyMUpB-GGf_1{qk+}Wr!nbGF`eTSCkXW+*|iZhIIh)JcogSIQJYa{@Mh7 z5*2lgDE(JfRLizUd5ebzE{c#HszHS=g%P`!h^U1u9XvRd2ojkN5VMN5D`b5@#S4Dr znCfAj4Yn(2^_$X2%a6}IAUwzu8vB6$CQu3#+QPnf3!z_vldEppXApO!s90Pz) z=4bK;+;|I6$*J#V0w|vU>Iek&|8#_N5?A_9 zrFrY8eG_0`KXA^Q3HvF}awq8ulST-D7rwzKUO%=E*>*wQKFb>FnmA5r-x1{2FEYu# zxRwO5Xhlkd3J)S2M^?`GC)&7%Wzbr$(ZVvqsX)0RFa!^I5W~+xWz}7c)G5p~oGmu; zcJhLz`VpcQk`eBB=CqJlU*d}o_I2=v`B723!%&R_q(>d%B%tgC!ER9Z{I_En&r@kV zL9lx2)!!lKDm=l))0zN$4w6f%*tC!bbG>dxGj@c)R+(ePh$}adH?6Oi82wtFR+6qD z$?0nqD^-&58=8SBs>rLnmY)I(U+^yWj{HwV=-7xf!215t%{Q#fG@$zQK$)(jZIX`f zPFWSI6>fkl5FdhUXBYfGBEpYWzSGDnFAk#bd%HMU)MNmVaffN;H?K6x7Cv9)e0~yW zjJ+;+sDjkDTB%fFKNs{`!GYVoi2oc~Sg_(<${Fe9T%YMPz~YJng}nSWSWz3`BTuFQ zxl-=~(o{dS`KY#xA8z;nU?g|5DOMLRgJ?KC;&(UJjxl!9PHN86DV=Sq?YzQ{@|>Un*0%83$-*$_HXb63sa&(9sLV|k z-rT84Y|Bag(a0@r2t6#fK29Por;EkJZluTBr<&~}o5#a4Lh(}n5D55Yk~7OYO~7#r zcrh{cw{@ys7JF)TiE)yLF|%=l3iU0l%9^>EPG`B%12>=oUVN?vfPk#ywN6z`6>hk&44v2(uyV+qsZ)ZjhfJ6j29= zaoeayIfm_OA)5h)J>~c&>kQGCNc5#&7Vm-VWJcH2Wu0F@y=G#W7~7{q5Ir1=UJu9v z+p;hUr5$u$L$htCwtA0Lld9Nva=OJ@HH^%;Md^U~=T}(>9F{#g4?+`*4Ft7wU`TRX zxou-HFo)-W5P1rhp)PoUyO`u1!}o*I9aaQ8=vhzFc1;fU*^C&qxmLZAo1>5i#dU;I zA@O(+?}2v$r;k4#j%bFz#ny!&5wY&d#lZ1*xrBUKsZM zLRJsw5?l{N2?Jyr@fMhRyB^&vOt&wU)tigsyZm`f#o(O})t;<&g+AQk>g<7xG~nG+ z{Hj1u3bygi(5;wHL(#v6I1HF4s|NMe*D`}KhOos5&hae#_ zBwKhlF@|I9(_K}K#?4nldrCb|r0+%gHo8Uz)f(JJ_T4tpYkw`+gcE?sp&?MZmrU$^ zIah_Q(cy}vU;!nV9H2Qj1yWO0&(UJ53m%vL7^eXkH27HZ-SCe*~3wpZ{0H-QivZo$sdYE0RVAjAQI(yuRh}-ut1L7tQDhw;O#qspAAU=ne4})4$ghq63IlfePEO5Ja78Lav1|Us@w4X9 zd9&o_sY%cI|I#vw5=z0qSr3z3ZM=U-!kiH9=ZvIY&QA{rSv<&@uDy$QVG z_(H;v?PaYfB+24sqWep{GFlyzi-9Lk4g=K!y;uAyq({ya{JH@>So9QlkUN_ZVzqRx z7{0jx?G6OLrUI1gqL3?D9IfCiJ%|hzV$Q%l`Afw1$NWrF56C_ZfoQG573Pm*fD@t? zxV)fUf3fy1uwM4zm0%(BSgr)!zL%x)_MC8IZkPDQ1v?gJND2|whJU#2+QyE4j=j68 zn=fdMrPmn0RL8$;dQC@*LDaG9JgVzFm(~SL)?v;7b?W*ETSdEV-mt9E&p^lU`TJQZ z*RI~VMim(8K!b-;J1U&{-Mau-UG|g(s(#&)DY68Wy@pTC{zpMTzkc=_RW;D%L0GVh zh{mA{Qn3po%`c!1Z#J!<-CtO1iHOSqd|CZxfgc=`GFGf~2yYCpi%Cqb+G+m&bL+Md z9TH6!RM?JV1o5ddZI1Pn8|w^#{dLj(?Ge!(aj}iX$VKsi;Eb$GGJ+zif>aguJkd9c ze#fwj3vlEGjtK(zBN3LW%syk>`9u09(dbDx;I);>YyHBlw4p62>bUrKq{e~q_nHRNlXbBhuP&e7C*Rm7T>@h;!mJV*8PP`T?iDK+%+i^Kubr=) zM8Rq%)ao8^NQjQOsE;oF?FW0rPT|2~qPbBEJcf|%#q3}sAl-0J^y|6|9?md3zPsMc zFpnl4%^nxthjMu_zNm~XxE~-N5(vhAyOSn@MrWtq=Qck5Fc(iK^EyZ)5h2zW9x94% ztLN{nzFA#+BVlebIB0sw3aJ+JmJAcJ7fr zi{7bFy#&LuH~R?`gU*Xg0NB{-LEU}uT_XE)SV@00IGu{ztz&!5%py~fmuo-PRKlor zhr&*8MyEWYRx+i|f7!?f?;p5pI73@7U&Tr>?IIMlzg1w!uX;WNcEZ==brvrIf7EHg z`;mL4Do6Y+5^JZA(EC5v+4t4a`-8WR`0uUT-`f9R^3C1po8pf}$nPGXGYUWKK8NL1 zcpOiAa*X_8s6P1oSH^=FVEw!A!e}s?@?QhksQSqRor8W9hJBX~mR`GAy?Xfq%=6@{ z!^FJ+4*+WaZ55a87p~UX!t>xK2S~pjROX&z$o>z2DXkjE0#(S<)FafHX0j>(2)J!> zsYzoGj>TP?1F99K7aRY~Ws6hG+FtBRfJSg0Mv>BV;T*;aRjC#_r;OFKdVC!k`*YVD zU;3oJBZo^=(Y@`dFh<8HW7IUy-O58ShFZm|1nBl3Nu(=UF_YO=56kjhjv|459gic& z7v;t?Sfy1j2*UPet_X}*spI8T+0hsuqVv<@39If%g9UXwT>;)Ak~$DpM9X-1O~xa; zlR=d*1r^9>7=Xc6Tbezd?J+x&WT}BLe>;Nv>=YPhM!qA=a&)thPN0t|WNT#GHIQ?> zcrZ`p=T0gXO6VKxBtLssRHhYh&%)d7y~AgN6b9;}o3YDxn{vLpz_%YVxm{{=XsO@Y zJ=stHiF=3Z?9bD9*jej&vZG5lZwE}iW3vNR3nS~*0|H_X(naIr<>#@OBRl}1>O5=@ zhs9C}>Z(}o-W)vnM;*(m#f0hq$Ob090oF@Kxlu!c4_n{yP%fC;43kAzy7e;nxGYO# z;W-+^*{aTTQ0@(IK;zX;?lvj-z}a&$;BoUdqslJ_1rD`eu$UI31z*N3A!Z9IeHHSMT$Y`UEi&#)>d6e(kNBeO2Lf*o`u<4I9gmhni3A)yOt*>wsT z#Tt6+V?|v0;f)6{VRlF9(s$b1<-&ks#%5xl+dtkj;&zFT&Z&EpCv{SGXc zYbS9m{c^s?!At2J5=ea5`kCXh*Q7nRTn!JjtH~j;F#ZQNNR?m8K{aN%)#rJj>dZv! zp)}Z~Y?cz%Og2OSB~)Y_*7YmnaXX-DWuZG!s*orgPNJCd?AbV9dp6X~E3+v>gPsHg zqBHa?F#BZoGY6hWomR%5cqfr7q>Yo0dD44Qo;XB~ORl~TzIOrH?38RPe*eYo7LU$b z7ws#qQg3RMwr}O1fEjw70%`G5o1e&0e!a0jO3D=H8E0t@6G`8vwMlISkdzDrvs4=e zuaS1*P(*xyQ7eb)FiJgr-HaVZ1qi#)U^%Pg$9~zAfGI0ZE&&>XKqbGHP)RnNEaNCH z%)`8pKqgRSRHb_D{P$zah4ccst~0n14n_c9o*5yHUhA9X#89KdmnWSXe%ur&JntAc zO1u6gT`oGOHxCm2R`{Z#6xls%qb8Z;sJOTQP_;I zY;xtK?2xRhc#Sr$kh5>^HmhAs0R&rY0Cett0J7src(W(^XXHb^6c(f8UFnFk2ID;E zG;Z{J^gDWwodWh%-irLLl*jn;TyV)3luNZWe0RhnO1+ zOch8LuYL+|YW8~8B0C7r5MZ|~4DzW1No(2)Tz!XUm6e7_=m9Hd@HQeSf;F!}KZN?7 zr3oX`th$B)UMm2wLk~sS8!aCCym!5+lb^0p5(9wjxDR$TD>#$_Gez;UfnHb=XU+jp z+DJmsLIuHdXIiurJ6QE}vSGEM>X8vXPT@?6?}dtmmJ|6;FIokR{~UP5gdV<`?ASx! zAUt~*nD#L@ePHA64Bu@8^lIiS2xY*fT-R?BynqD=an0n`m~ufc?m1`aB%K^jjRo** zr3c2*uZoP-a|yl#8?L#q^2{LMgLE?y1MstzFr8AVVRN?R?K|tGL+mY6ZIP#bz2sE_ z1C?(o2<*^B80~^IL?)W7nfmKhr#>b}w(X>SESH+Wl_w)60nuWaT;givqP!J0sigku z*BUwW4mZM(bcF^adLP129}U%=Q`HZ)HWix#X5d7r(KRh_FOw z*K~cx?eg` zC3$+t^5-nV$Lt23SsY~>cFr_mx@54a;%fAP^rr>-CJe0{ZKym?=5$A=j7_?rnw`rEN8`V{7`OdJI z)wpl^@hgF{bZY5L%yZRKXU_*~GHPl(zPAs2es1+6zkKZ5#H*nnNl#kd_RoJ1wcF^# zv*zZHBS^U0qfZHxut?KllwM^gU+RLFOV4iZk5rKrQ$UOb6=E&`l18f(MDNnzvIh{| zId$;ei5|Wq4xfpWiW}tLWe4r=^*qiRO+<{jZ4LuU)Mp#VTy`j|J(T%emD8izasZ7U zg{uQ?#Z{Z!(n>?ipUQ=8hE~#a{sJ0=a2s&*02_X(-s!DYeK_=Gy!Lm@sGzinhLYxO zS1_~K{v9QK?hZgY`(9@*&`=M?unJfT6Z)?T3dAOLuP8d@BBM?e5Aa{TpA~x$S8@5R!I-PE(xJ-NVTqX9}UX zgrU!>IU!|ic2Cn89JWFOP|Y#vnT0E?T@N#y`bZX|{Wg+$Za>g7GnnZWaC9p`{2+h`JURZac|iOLo`AJxM#)b^5x@=g0Bw5}*9ap%^TEl8F+h5+Tf~?_C$Xp> z1YMb!daiK#r@6nBMQ`QJZx!un?sq-#lZ$Z{m-S8e7!7x8HBIg8O&gwDXuq8NL!hbo z@>s>#^kFU2Sah|$raTA8tW*`~@U6S_Tuo;Z@}OxBN1`nNIe;Jl1v9fij>Mn*AMKzb zkH-bIP%pyN4j`M5m}IyvwoNb@61$QKs{r_}Xub0`U*Q_m51Qkvo*-BN1bs!?T>y#m zM$KzRz8k%biri<4^}p1QoRDC#TC+wUQTOIl`z>h1u}Ln}D0$u@JVMH`rZFRrmZf~} zrr{JpSR}_CtUgTgoab62PkE=?1k7Zb%eVgh%mhx>ope5#gr5z^!8B@rm;yIKB7@z0OBVsp@S!BPvhL zosaciq*|Y_hv^6uYqnjf#Z_AbX)u3~OPkgvNYm~d3q>WG?HGtu)3>|zSZh?+ad%Sn zIZH31KZ-JA{H#_(D);{HhtvVksdy2LJCK=EFAxwxSJZIMX8s*msaFS5*-?^(fUF;8 z8n1vsJCymOeorRGpa&aI7JSquJ-5Q74#2u~_ccU@qbdN_7$lrP(&o{26&~bG>up9+ zbq5?C<=Prl*eVm)J0evcr9G&AW(yCy66!jM;$e{~R=k+*cvAghX<}ZN^Q$o*srIJWkyICsn%r)-AmcE!>xTiy0Um=_XUV&eQJF{G zN@36BjAtCAJ9PVM1;(BkZ#<;Yr0~WRZfCGoR15pDYuo{!x(6_FhZtj%5oSrb8YCz> zlc|S4$z~>q!JKrDftO1IE+cu7FRY*x^YE~wlZ9O1%`fw z+{yTD04lJ_@X}D>G3=`8Qy}e`H%}_)Nduv1eSwSY)(D``BZb>b>J1tIFap%a5?%qty#|%*>(%bQ zG(7e(`yUa3f^Tc3nJfT_eT-eqMd4LL+JFSn((G#aP(muU+b# zwWtesx9yG9eAX6Uc|Evj7gFq3)VxGqbM#U19_wXM@Zc%696b&7$2;7rums;n-Fp6K zmEGpGX#Bq@0^K{F;=c-oYZ6F8JJ6=Ce_ezfe}lc(e=JB5!!Yhvh~o++^0@E`t<{qx zZFOhBJ!jeQz$g2TvoC^pI-9hMxw5y%c+=t{7Aetnu(v#@w})o z20rzeV!21J_SmWpCI<||bumPa%ya}!R}-_o3eAck5aB&wp*mp0SY|i|&NJ+})|Gjl z4vWE(*nSwWY`7WIp)efDXQ#6psxHZR$@-s;Ko`0O2#I%5ki%zh;tCjd27P~>J`_Fk zk3lf(JKG3Rdt;<-rC<4R%o#KJu5U#`)b)?3>-3+udZ%5Pb;Ctdn{hAB9=Ojm`5KJX z+Z^Ss2FS2(b>PPs`mZfdZwU)znt1u2yt(B-Alb?8#Iypf{{s@d9);s)mumh8NZ5@F zo>>92_zYNA0J}4mIgfV?u?qf)V7+YeZ=XQ?>5VRA@fA(PzJod3=DoL2g8?=(^o9{Q zwE$i*Xam^%VW}UA{^-*$qeF$dI81JTktFav`|$I@$Dn7isxvbeJq$dz=a>A*G24gI zPNp}vzqwm}w-37bX8V!}oT($2^nh&3z!8`oayQV>hKQ^nhWC7mNKUtIjc_q>z7vOv zUvUCI$}k>2QOmPohzAyxo&JYL7+#RN2R1=pDYd$?e$8Zemc3|LELJ_c)B6Ua_ygl@ zAh>3z!lb84b?1YB)!QY$@DnvMetO+QtGM%y9)DYUe1g#Q$~N`8KgOwU$K50I0f3#4 zuXe12mt|}pN!B>KPo-G7X;DM_WFsz>b;w7G3?+WLUB>+TfLWL)Et@dlaD>ayr+;r(_i*#embYZTI6SNE{4{FD|G+{`pw7&V~FC5x7f@ylNvG z94i?p78Rx%HDDFx^Hru!?4zG82##-evDA3^{jD(0$0;Qj3~Ml{f#5Osc~pP zV?XH<9>J*YJ$QJZISMJ;w^Rk3z>=b}%?7)PxUh&l*#J!{jQQAll%4VJ?qmP7cMHhl z%rQphYnfo(@**2|H|eWv zS={bPXy8q1oI2pdsP71lteQ-!^W6K<1+Is^MI{mYy{j)lOif(;rlZ#M7^FJ8?cLub zLmhnlO^mN@!Vei@3ACIR_5-d2s_mP!VLHy zBVi#k!7J>}kd-`KJDhtL#iM&{2j5SCJ@IoG6{wB*Q-A2r&-z=hL*#9!*m)wtnV4I*6(aLxZyF}& zm2NMeG59=_m(MnhH!;o&ju0?UyAJ4Gy7N_bVsY|3AAWbS1}KsY7Z(7#;fPV^RnE2o zO>9VYCy2kF-4en=v3g@KBq>^<6rlt4(#)^wG%+~@5{w0j+dN3VMNE0n>?4&HvTwwe zH4^>vKx1xiF)qA+t9>oe&)~*c%I&oDxADf&F)-B*C%GpsSCgxn?S4JQR}UUnzmDN1 zf)FdoD(vYF2bt{0$9t;eqN_wiMFgLfdmMqn2w2WUVzW@MVX;JV)Uasu&g`PJ!gR<* zGmmr)4B7esuEFtB(18SRC9PRQqn810D~Zt@gDu;MlX0-KGX@Xu#TC#~lf~=oXDCAG zw`t2ngNjSp#vgACTQd@VDdcj5>Cvoe(_|~+jk?qBSmVd;gN&SyGn|y(a)0Y#|HR@+ zIp9+J8|Oc9``CjXV~M{|!2cx%fFOuMxFDei_;#s;X9m!)AA+8!RR zq5CIJFtCM`l zYIYO|XG2QYv9SRwo^vLwqzvR+yc~&nE%mY)0=L^x&@kr>c0VkT)9P$-XS<`fIj{Ql zU63h@_CNs5)m;6Zc%zk!X(`E?IRgj1mS1=f&1ocH%f*%2?&)(bV}l45n1e27c3j9V zKi!@=yv#2_Xn`=BIkf#^!Db=Hs8nSwB@=L2v39^kjg#}Y#^k3wwLF}A1+Z0{+RIe6SoF5S>K~uA zR+B(=J_l-V1yH#kJWZmq3K`9xam}@jTm*VrhFdfj%2!^w$wBxz`9M19Mjm(=FR(l( zyzy@NVRxpyW?-6xRsSQs?Kw$pqw@r*P%W5fWN)Wn#K2P>uF{hRtXTdu1-n| znDe2doTN9Wta`VS%cGE%4u1c7XzcLoC$TMeULUqvop{C>;l(YyzE=pI(xmlw5=hJ= z7?NWFC#_87Hi>NTTuGBu$5SbedXi}AooU@S>P3)}&yg>C5!OS8McN~5m!dJ_sO-92 zMPe8yM}lu1vMdrM)uTyS3OeIl-B?o{=ejB60yXj_ny7;7%LiaJfuNr3SFR1YU(vK^ zJNh_R>>*6KMDj8Pz2c%(N1hZQB2|uo;(s?z`bXyaa=e5pDj!%wMCgi?t(*1qOvx zFL*v_msLK(-dkWbhm5md0$akwFnr3!c>WW|J8Hd2xxStC47Te6%g{GCVq{Q^^ed_( z0CLbA;%MQ2SVa;(^2kt}NzbRrgTV;k75fTqo&-Olru)JD#C!4_LRc#{_k~F#&;lT3 zn8tCbhiNBJTz&`SXh^E_8pzj?o;5&X3DoBMdS4i#op!2~WRgFAB3MfX#*jX?9ni~MF>(gzXA-Kv?aFx%JiR)KPO7eaYU3icA^HwIs8_;PXyca!Mkzuh(Bl}#r%>M3 zI@SweUa;f?;?<#pE4R_A987G@It;{B9yTo&TQsjRMiJr0WC={kSry<1`95Pg?hpB7 zs=z6%0SOt&X(Ytg7wU4;dXHt-UbZ+4(D|tIV%i@+ZO(+zPyBv(MQR66j)n|_vb#)4 z%-TED!e=(>m1avwlG?OVyKCAJl8j%Sz@}35rHIuH-+P7pe$?a1=iSK zoJ$yMaCfdp(pKO@?+~ds!_t2ZKQBc}+u-e<-A^LZIz%LwdT+Ry2 zQ8VgNlC7I0vKobf4S{{^ctQj3qn&#L_T#)N>rKXjFHz?2S&|WLHs&JA?ghh1RPKau z&&b;RmY-8y?`f>32{~?yLJz2&EPW+4eAJS0^$EIxTg(TEL0Kb1&|7g8@=ZkIZz5UL=Lw(g9wcH*p7tce ziSC^@58H6&9Aa<5?e+}B>i93tkLWA;jiZ~`_ohy1llk>_V=6U}wAw14abwGG}|AZ@HYSo*_oubDb^Itp~=w14;0 zO%)tPb88YP0A}I|PXFKu6DQsSf4kfev4v6vrOjlevjs#L3C|dU8{>m$n&sX76-^kHxPXZv|6&O=^rLJ4izQGu6!)9p`%MZJ<4!lJNLRd+ z76_3{6d?jo%E4}5HXhHI3NO5LzhSl`L6)JPX6_e=R&feZjNF`Khq??GJA)hSi) zbhylri_a=Xf?cV>aGx_9dgh3B0BWl=U}x#H8HHu-<>fh`F;hyY@fQ_9wFsDVE|`jA zX#88I?tV~;sV&I+jj5!xMFyI|a1oG$N}e^64h_#20f1QC&9#j{m>>%KE{XjZ5KDWn zTSzf1p`6c8Ld`$h%NVqRRL;q(a9KDCExFb3xOZensxNK(vuBh`h$Bk35TEYCk zsY1I;vN##U0Ez9INax5)421mk9RNJj%A5p>?UKZLz~CJqZ;u@R4iKDd#!djq6%rq@ zkz`PydRza>KfEVW>J*xY%(ddnVz~16OP4|NpY|46XGkKgRE`57^>|X-62P~Il#an6 za3E>GmWP*pdvxo&DO~WIGacy&S5m_qUe28I%8jz)UXjm$hJxEcN zf#Z(^Ew|!e^Hm+jI4SaJH35Mr1jK4mC7oT~?T@n07q!)z{t9nk?Z z&0_JB$&hbysJg;_+B)Su?+l5(;@v+MLaRK+h#VnX9U<0{v+t*4AN4fVOb7j;Uy%qx z1Asv;*6hrvQxlX>r$A8Re!3|HIqPbI^RV3(YE_#1^6at+12<+H+{J_t7DrDd%hj15_ENmXcI5#d$5R0sJc`QqKIQLOJ8{`IhD5?D)@F^Vw=Lx6n~BgM zYWzPIf?0R(>E)9ry=8r%4#b z?k+t~BxvFW*M}aRuIKw}eS4<%-*4)PMCsVv`o}^5Tt6OYwY_AnK%{}R@>UA=Vyc9V zZ*+g?qOp*1QhY#J`-yl4@%PXtj#j|yOuqubvz%Jnm?JWOA@OZ2`4wk3@VNr`=$z*9 z2YKnvM^O;r6GWRcblRw9lw2T-%WYC+&; z<_9K(z#{ohOP=<-8z^>g&FxuN=ecbKXG~I}8Rj>Me;9;R?zvY*d~-~c!vp2C{tFF#{n5_rPvZ6cwT=jqV|aohQu2{2Z_P5TNMB zsNfP9_!(_xsMsex38$fzJI0mj-n-X*yZiTAz6H7#{_g9Kuffch49N z4+e$f7_dB@(68QQh*G+$x@_pTB>)I!$vT;L;DizHO>SNtl|!>&c@mp9`Go4{=*>*`25Eq*fKeU5-|>W zMT2KrPCXUS^tIB-4OW!4U`->ma7{0^j?VzKqey{yvB8S$(=E)5R(9PZiF=;9`$GNd zcf#E@`zdXCe~Jdr*nB;06L*UHvsczP#cXP7#Gnk@XW48@@?&WOO!=*w-)<@T_5)vk zzvh5yy=u3O zaBRa>ok&t56Gdnu{DrCb{JYZ>AfAc-gAIMMA8Rv@|ih^_VcpL;lX zgOs9HI}Brco+H6g^#?&p-!=}9NW>^EYPlujLHbAX=Awl;>Ww7!T0j#$Ix&m1 zUp2DtsSS7F%4&5)^d@=c4yJw1Xs7<@2>Z$#NtQc$pU0#TBGpo^#R=Yd-(wZ^4~-Bn zC9(V7pW~BZ9_d(>s4f5yrkeo)=ojl;h?$}9TOOQx8|+koi=&R4Bjx4BzdC~7llPg) zlOdt!k)#iE=Q$yj5DqhqzyW@HQ>kL&Enx*|o+5?}DlKI_{$r7b_5jiMoFW3>1J^-0 ziRgp8sHMvK@ycP~TeBq}85jPqFU}-c^y}4EvZYCW0Q;Udu^L_D! zY5aK_j-Ls_4bj>q%s7vMvd1)jh#BXVatXGyo)jGajL3O^#g@xFV#6NXl_KIsX@swn zlVU{YUtbC0p{q9nV8rN>t5FWyldM4ug3?6&$Joc*JeHzO6kQ%K_Vc$BmEy*dT03r_ z=H`F-u2Gx+e$sp<_4JlyI?Xo4Zt;3;p@?&=4%6Y-jnD}L=7GAugT}}2la0p6 zQkJ#v7Y|6vVbuIpYZipId{4s<$s7g9R0(9RWFeh)zxR9{u=XW-Bhd1O&d+GY&d~0jydOB5Ot%&d z1ZS)*x0t?Ka@e?gP?4-1#)z))EQI^Ux#YydWb`nbxWom=!Qq5lud{(F_<>ohJfu%j z4Ey7-XVo0@xSAjNVUhw@L??F-43k@?I83xJO}ZZv=Yj4Qg3i&4H>f0@zMy6s)66`D zO+Iwt`q??NukZWVF?!T2>-Y~GU-Se76i@caC7@Nav-0b22SqL{JKw+YNA=tO>Vxtp zlt13T{t{n1QTp~NXB&e<1i4UTiBMi(H{Y$3!2Bd+*Ay)nLWu*KOQKM|sG+9*P`Ee> z!Bg*MOv&`Qd3}2{uNZ=Fm)0sF^^8}c{q&=H@U#i1UMfW4+E!nvy!Xv`q}#UR4c+rU zAD@IG(2DNqs>tu3-tCvVR!Ns?SbOw!t-MeDGxyqOc;D$3xe6DKMdPP(kVX^v*6m7dYB` z;G~4?Wad;PHd~7w+SA!|?TP?Z`ij^Hpe0Le=I-&U^D{0n*?d34I2XCZ5xn!7R@dc4 z6I`i*nO^UsZhIKewH5fhgNuk_zR@(9^3w^gzn#8t8Tw-RVtU)elZ$!kLlu=*p*Ezd ze9j6y$=a)|l3WuE6EcNa>J^%b0PsZ_M8z#1tKNhlP!v7hc|!Br&h#t54Ws7`c{()t zv-#SfdMLjgVJ?Hu&fNvtA`a=d%mMdkHSx4(KlAry1jLk=7W*jtaQ6%fIGfH3X*wm7 zcIjM8aN4Cq?b-?=TgaKdUkcOW(1vsn1`6>sTn(vG@!DpqqI(w#G+ilj=C}kh;LHTn zDamW4UkZRA&s^Z-(%Dr0>SQZBZZV^7He%D(tj+jR95bg9(Bs_Tc}RmdXnYiLJ*mC! z?%^vc=-GKjef4_Rim@f152OP3j^8ufx?J1mp6=V;(}^FxT+BK=6;k>4H{Gs5>&Xw3 zoTxxy$dlR(orT+Nn4{1U8*oklT)-!uA}%^=XD0qd2*55ZBQ_{30barI@Z-khha4(i zA|TGyLdxNS!S1H%t><%nKJsxqQI}SB(yL@=O#2)bH|Gx< z+U?EHI=NE$`-)jyb%h~NaIjdkw?CwUnY3Q0O|Yvn< z^jQAo6fJ+(BAac5*gh4b_Qjn$ukxc5#pEa95XiakVDI~@rw^jSUqAa(OzT`bXMgzC z_t3c9ll(P&T>jz(_rA1MmHkJ0o64V#`_9Tn)V|A>xwFD3_@OJf9Zlv|-6&Ck0P}sh zCD}f?)}vwHXA^EUX4km`1`)##d52j~YT%#Bcd-#8MrNS=YelS^=+CY*`spzx<*;;G zSE^q28x{h3Lh*v6fKF>QPv1hWH1R_sa1yC);(i5wY3Qbz9y$Hye+XJxy(&0nD zvf*C}NoT`UEHS7zEjqk9Fn7g_pMab%e6wvb16`@Xgsr27QyG4c+2|)TfVUMvnV*l@ zE;!mYFn6S(vId8&S-Eq^8=L%8>gN+0jm*m0CV_;R*w`~$;)B@bo8c+ZL?dAgR=`LysX&}qtA%ce2@pj#Q7HKwBa5#= z07pW|M0M2$`BfO=uI+mQ;F$3fuAKMuIsx5#{s8!U?M1h8l}YtEF*Phbt^X4!HpnrBpvCrLIk34S?oI6PN^^{{#3e<$@an3 zq~il6Pb6#chPo%|Sx#E8M6PKU;hx+zWuEonIlqlw+p)0iiysAC9!0h(tDTI-9-F$U z>grm}CaWUKX9b^(7iL9|s5i6O``A^&9=%uta9`ZX)IRYAYIxi$bI;HUxhd%Apz@?f z!|QZ-Fwv1$v9wKphCy;OrV;(>h;G3ckZ}i*%p594+(Axj48!?4yf$m`z_8@+)1voe zdeKqml=kUd%a~XWlZ*O%&?8%t*zeG?fQGeshSW4ONu75?$vN2OftQ28R(yRb!YnGA0}JND`I=Q$_u zU%<^2L!nBs_=3C-k5+f)R#yIU%x*?UhG;z>958UzzX|D)z0BMu1l*A>oIck=y4;=t z5pL0IEu}GBI9!bA?#FFabJ$nyr=Up?3O`nmsws^HnGmja9v+0gh3q-;W=V-ye=Nw= zZ+jtg;}(Z!wxsZY#yw%~4m=eQ~&oYr*^wf}Aq&Re!+x4}`)ewnz7jOUL zDGPQ4KAqJDiDaQ?lmn4Q+&Mp%CpM8c7iTkgxQ@~8JtX^?)#vGgd5?qXAWhsDRPaIr zOODO|$JTxSQ~mhy|9_r692|Rdj5tQJJA{tCH)Yn5E#o8!sm`!74%w??Mp37th;*!s z&=E?Jj!{V}?d|nFz22|S<@5RBd%5@rTwD&$^E|Hin`J}2UR}SC$H>x$ri8=o2Sh6L zP8Z)ic3>m*av#U0ci%f|UvI#T{-jhEBPY*}&&d{2EIL2#{d!Y=!6d@6+O>?!4%Dt*^`H zVtDyc>;BaBTDcXd>WQoAqDtC7Zo5wK4w_4M3BQrWbFCg@tZ|8d!rYiWwU#{u!WzW~ zo;Umch*uqd+QU98{Jxu|-1Jpri-6sE(Wu+`hgvBN`r$Ng=7aCB{o_wRSsk71UVCkH z>%x%(g(o~W^zK=fs-C_sdn+RB9}D_izE=E{&uQIlik(Dk<(J9WJ1mErlaE2mSmQEy zRK&$Gr^Ea%Ei2_#<~o*&tMb{N_6>Llr%k|lr&V3A_tV9V?6=kY4$4*&yZ|0!JYK{N zc`*5ipb3fSrsy^#c|8`t|A)2KbzIJ&^}tul7O8G4$1_#qmO#7083MMXxY%aEZWNwq zbMVTyIJc9hL~$qPEKiB!L+_Nw|1Jw9gOgmsrN^?8Iu3-DG;7axLR8u0TM%Iz+_60a zyy*Jrez-T0!T&e9&P5rslU=`f2e5cwmOOE6Tw+y&4fszSlVp`T|BpBZQmn4Q1~|$* zacn$#oc2<#u3R81DRX}0_>zZwI98CaBK5C0<^qW}3daWsMYA@AiYL;Nsh{D|FXm4z z?~+P~W!IiRv=dsAZM+7Bm;sMt(V5>w+A9ncv1;$tnCwGx7=2;#vJ}4CVJSi~L zCv*8)p7X<4&95pss%Tpv3e_x+W5dr})BB<5B-`x~$uyQEguWc{h&>W|N7VK;KALbt zfBU=fP&onz*kOW`idxf3kuG0-!sga#-8by+a|QQM|81&c!{3UYHE&J6ZWwIrj#|Bl zIP3-UCFB_qQ*vI>d8SxNG^5uZdS~Mtfsvs=M&2dDj6U@h(c z324AdveqU0MvWa(sB6ho8>52kZq>Eq>|CGfn<>>d{nY9_)c7AB`s_nybeB%-&H0s0 zKA7njAF+=Iha;naK^^+)cG*&vfb46!t6}h8IJ`qCFU6hxD~DMXf8{Va`3WMzf~u3- zQ*kaTV^-e-*sT{7rtoRFu88NEm zBAHSe?oaE4-OqY6AT~uXJuH8|u7I#lOM$LZO^Qu*lufm<(lQbB=~|E|04#GWcYlu* zK!OcPPVo~5|J*P>BPo^Et-ljVt`;Cy4_ zI(_lJovTA&HgEZz^&z|ct)?^3#~ne_8XgbOLW?k=_mGS6RTomfw8ZCjESa<?%M zciGuhk$*Hqh4AoWwo-`*ey#52e!Fhe z(aL*U`0n-&>JHG+M$|s8(J_U2eXEvB07yeDM&`w zOC+~uT=Esmt!@hGQi$%-<@WkkUOlw0?{F{r@VTq^7O#?_IRoQKrL6|{M?ul7oBPQ7 zWOppU61+h}py7c7a%20BDsM4f0&zD3=4S*e*MU8)gnW!hKP?4QCU>7v*C2VBRS0JKFbd*Wqs!g^8U>LiIPJw+kO1 z1xx5)I9T3F0l%>haEdLkfkmwRQc|%)*02Sha`;s_m>S{;eV>06fO*e%cXTu6!k{bv zSJPhs?F6nskTS%Fi?o4sR9)^7wqZ}Fvhx)?;(jU|%k5bB$v%zKyTVMhcZcp6GLQ{A zW9eH8<3v!FEN%oAk!q#Q-lD2OoMRu1)Tav!RsJ5V>_cBBLvW;|ser@3 zT9aHFZ$<$8oMyk9Wp{|O@JM$6nljwU93Bx;He#j!PYTPnCA0NSr9 z01vv}K(o+Yh0a7cV4#);#bX-ECcCPay6&BV*DQ@Qe~(vcO*F;O^fXu-4HLYL42}ch$+JuLbL;KOg+&7IpJ<*ys*t4uj<*WPa*Q9@xl76u;bAgpF5|GLu<3ggVAyYsHIgjQILSGdzQYNijoZve*Ley-$q)|$z;_t`=&lP@$6 zVu(A1nXa;s8?|~XnfO$}hHrOk(3my@dWApB9=CYo&kF9$qS8AcM++y)9q{9Sv}>tX z&3SzE&EV*p@dt9x9?DG^XitO(+%(#9hVsn_@dtI<5?2@~=n z3SzSDLd05rEIAg)d8na@@+P10-@5$SfJ?a397nvDO9C*<5KIAFm#@QfFMIh#J0Iqv zXV9Y5&WgjPUmLm%1dO$$ zd!}!EaY=t?{OD14EhrRAu`tX9M z<;jb%HE2Y-w```AkSJkXY4AO#i*>uO#ctMwy!P zxSf?V@~AZSoJ%?^BZeyGQy_LUl{Wb7;x)bwoez*K*Krob%th9x_|eI&?UVFW7YB+ z7X$?mCw;bmFYa^|GeO~1>wdYq{c_#^<$&8pK>Wt%cR)ArJNSWq;hCkM=C6y+ysnGk z)Li)*y|ZUK{`uEq5Bm1SX;0m9PTn(fKnL`=*PWOKjl@DW^GV+9W9Sspz}J&_wKu`~ zBD>a6Q##$(<)4eIS`IMa!qu{@g7Q zbK>}_i|mKZm&=yPw>NF6K0eL<9q1Ec=R16QlEf5gD5OA`F@WdUjHg|(&yw61LE8Sh z(Q`F^Cv0OBMMRuQ$1+~r*NLCla zimn*vQxhu=vXGNLW!;Y~GtlK4U6;AIhWq(Yn_OGAaRSzbydvtkJF(k+?xTw6?zpAa zYt4FP@+SkaIk0mmWgAb=tIHm{Xyrv(lbt!|Bc_$R&q!0;3^F}iQZPCr?-QdRUH1KR zRTxCPdK2xgb$!}$TkGZ{PfkboYLyd4cbdr&;HhM*=;BmAv81c-Ol8`Q) zE>nP8<=F44PZzgTmhz}NC1CQ}B)7mMOpAR{MZ|Vs5UGrDh%(*wSK4{MEAL3dcuUPA z$Y!==0V}>=vaI2~c?+{aL!)D7ZBz3KT9$!Q9hAP`-nkG>wt&f$@KJgQ*bq9}hPjP! z{&|~JBA|$BV)46_ef5ster@`Z1}(A;zENo7X+msH zJ9ufsYz@z6>quJ2F897yd+cMEBX+;>ut1W{`g?xEL1M-vR9W% zJ8Q7xdlhMj-5>dd#eW3fa8M>8hmH<34)HLOJX({YpLl!cwXF;+llUkrZa8JV*6u6$ zRjof+lKRxYs%C&cDAjAdK)RqYVJWi@sxQ1TMlWc*KK>iY2Yw`*0af10KHv8t@S}uk zL|w8am-_tto?n!3hdAC!^=@}uylybyBA4zI>i%A%XU_7S!xN;D zU*^kfej{QdGFFnMh?tU}wN$7+IBBeJmcUIvh~o&^)u3@3A=&EA$g0}-exXqWZoHBj zV3RmA<*;{YBNl3exqbajhOp(qnDR;U-k<_3I|~YKXVYAG*8z0ro}qxYcb^Q{0q?)2 zNl(20DSYp&#*o;HLd{lbeohloMLpleQR^T9>%XG~yYAf8oS=Ne38QxsuF6{#xcU7) zJ`bB+b_dN5Bi$2E&;j5ZM4NnS(Uh-B?~^aih+`xKXjlj&f(b@4?8^wZuOSpF*dj~# zQB3h(Flx>+JC1EJpQ_)y>30<;=wN&M(CU?IHd)RS_KV*q9wScKSj2G^tDSy!?aA}S z37=pG=q-qdepi8=MezkT2+v=*{Qatj6dw~Lq1MLA2B^hW*fD62csC{5Qe-JtK^vL# zF$h3)plQ%mk*j3djss(lLs4$nxq`%&Petb5l(a^j0W(=pE^J-XbiUs8 z*@Ul9#9XKwjL#ATZDz4wtiUs^BJRzhh$F@YloIrP1+j`UxIi%@x<@uc#aAy9uLnFZ z7*Mu4$$N999^Q6?iZYZ^p57P;Pu1ZUTV z0b9vZWu)EnW49Az;wp-DX0Q+%r=-O@fx=fqFDi?1Gg+*j?ziV;br`de>@~SK zO0iP-HZmcm5hTKbbw@j5kIj6B8pN(z4c?o*pkZ}NS}34WiwG7G?NYHPTmKvjby<#{ zb=9*_mcdZ?h~ruAUG4yjCdgvv98MX88xd@^6NK{g$RJp1tM#sS zW*7#<9K9Kzg*V6TxJRG*`g~6z?xH08x=c}jc{uF_(ATNg|6k6wD$Ho5B z<0&=4m>p`@hxjk3CF2v$c2~}vxE+hAf!pJc&<@z+e>w;E|6{pK zy`<>Wh6h6_ByLO-UgBLdP2Bsl1J3kv!zmn5;p?x<|A4j+LMR=m;Pd zED+k8A5;HC4?aFojK%}$0$(}&fBNf7TLz5y0-9jj71-un@(||GQ%YaA=)u&gJ=2MK!Glv=6D~gUx<;Eq=CrND)*Ofb zBPeTY^LpKhged;dq+8Vw^hG<@dX~G4uUmx~*pGQ}0XunlMJc&ZWr56mdPPX*Rzxr4 z8gzS9#!*_u{fMf>D2Wmyu+k7{Y6+vByIAB6dkU6(LWw{0KQ4l4a+aj(ORpWd7-3$2RwT|fTz6wWM$6sd4?<~sU zk;Q~6i)>%ZIrxY9C*q-Nk|(!SUwd>zx_zEf9()}H0wD&{MuGk(AAH{Q-6H|3;bLEU z;iM+N3CnCSDP11Yx6*t&8x^O%=8gSv)dTHMjm~4Gzj1r-c`f8#)0=6CNx>?8Pu~bA zC;8OVR7-g~dXQ3l1{}-fyA>-I{01mlG({jO_r~Bn5qOfEMIaNufoTM+nV;~#vUUtE z$HvUEsJl0Mc4JvB1MQ2w^d-nGDc&wC9=3n2YNp|KTVt{E_IVm7XEPYNZZCi)Q?3Qb zD7(w3_@)OjZ>0tpL;%++2tWj*w*tBUgFc~YTV}xF%5jaF_U#?rB-)j`r}ht?7gf?X zO?A|C@i2AsyKXgD^ZOS8fBaum%j!EIl?75El64^Qt-MV3o#+ZmY%&y)ZiLv<`+s8N znXUT z^z?>%2^M-Ph82u8cL?p_{_Wd;L9J1GIxulm7#?JK1%MpUNC2@4TYYbSdS@t5o`GK3o2% zzUY)=tJ`$$_E^{N`}^zDGlMtiJD+UHOHc{P(TlQK(qt&80*J*Sc;}5nG#08mGkyb} zgjYOmkZ(4I2~SCvVwp9`fV%qVlX_#XKoBFztc+n{y6-Iu zC2z_8*k`&YgHP#?Z(oM+16K~EHMX%Yby(iL^6`>Fh~fT*?$F6` zZ56$9Zya`1X1nu3F4GcR>O0Rh8c>hp0F@1hCSYgG%Dk99Au-(27A|82PI22?Qhl^nnz6-;*`4AfhCy_q}$o%*IcwL8={ z+;mF$)3^oL3SeOCRUDAXc?{W{HjI@F~lmt_^=f0~x*2*OP#$xi>PY2mnWI4%WR z9g=mj6;E-l+uF)^kfpxe;@>#N%Z<~!Rou|H2jZc(W+qrG)oqvfc5J@1w_)~y`HCMr zZFf`4zID#q{N5yL?6b~47|sO7-A&m&-9hq?vHO>hng`yThm#I7Dta|4dT&hnh61oX zI(n+dU3w`lhTWjQmR6^Ev7JKXxCqx;>9aGBn`UuC?bf}C7x|{+b*AG=wzDc!1Q!7+s{2bDbmmVG@Mxd@T9Wy4_;rq)onEa zJdjB9l9e1Qan|>FM7vRFx@jH7cTll3T$9SS(17mn0vIO)qi*_s*PScOYfe{QcX zzFqcixJvmoJm5bzOA+M&d>cre3LiB&11VF_5RKP^Mhi4K4?MZa4!7F;@D zW>IdVIji3RF?V->;P;oS*yd8bV6pBq>F!F6UV98K&pG$`@>w}ir^wCs;yd^RbRNUA z0oXQ{>_pyV5LR;Mr_TNkj_!r#M@QBN!?m7<%laz~L4GVgg1>&067BM*mvhkv(zeSRPXR7x zq+36O#xsUGV2Btz?P@*+2~3-5?d5^lGxLAFtm)#vUY4U3*R6%%9SMsbCVTzQ%Vz1? zqs~o9=p|F6DTlo!18>O$etjYFq4j)kz0WZriSoDe_wy;vtq-Q2Elr=MRpG|fC<>r_ zjr7@lbEUcc0nc71bS)S@z5bKRw_~Y%zNXoSxzv0Q+wbnA4)91W_m01f9D*##7JoVA zO#nyYX`V!y*Cj{uMfjOmN&@c!nrn7^yS=qH3s=Rr{7S7E8pIt0m_q*& z#Cu=~=yB=NV?YG9F!$}^PoGOa->#Ze)P0k6mTC&TKLTEwOgD80dHz11V~|&If^yuL z)ORhUk9whIq|hkr3aW)09c#;P^z_N;dv!I2X}s<4(@%wNmI(O5_HRIJIB?sawqoJI z#-@jW4G?jhE=|a=@J)Z2LD_t}0^c}@+tGU9KeNv(J)t{z+ssGh092Mxtk(*IQvmDi z^Dq`gnhXyk!}%qb^6Ww8I$rib?0{JmEniLAsw}NmcL@IBsj@*B> zcP+l)g4$9@h4-`hKh$byD4%$!(oxXUsaY7h>Dl~U8*w^xWmaGZzhYhilEy9{E~Sh0 zhk~I1f=Hj0*oIJ=Pw4E6?QrtFY6>dXis~>#&3u(R8}0LoZ<@=e8Y++(alxSJ*&R-*s!9*zTpIk) zyVlT1AhP5Q#TyBRv{JQMZ?y4$@7wJnp;k=lrMyTG0ip2HY*{lbK?KM(8XHWa_XOSU z?a0vcrRgou`!`_j+(q>(R9ZOX@XZAb1Gb}=4AR>`))~DGD@fP8rati&o{#o$B8BYt ziyjCy&qij9*4T`7u2mx?1DS;_8-kGwy8CS-Y6BxMMo+~V5LRYH^NUBRu6&&@XRnXF zf)jTsvzJ_aSGvu?MkKl^?;RsHUJ@5?9GPyR16BEcG`4lw{>zG&>fYRUkI#H@{dr|r zaYX#QHl4%~+P9H`<#a?}0{u#+Wq4#pr&2W@Mg4YpIeXI=S~0Ma4N7?pcZ^&9X}Y_) zX{XuAc=x)@zeyH?{C;ka z{oL6k^MJ`)GI-4os_-L`Ajt)&yyOnlj$OcQpEwS<4jN^7)xF^we_I&S-yUIpPZaiQ-%0ZaC^?nS7SsbN-xNMW`cfYpu)PZw-=k^j8+Ya~juOFe zRZNCyB%h4{3x1~^(n%+>AOIo*lT6WW1!eF)*NLR&?*9_donaVBciniymka@q!CgvO zvCIho3+!aer||xRGqq|M3olkZ1O|rymXvg7PKvwxR~Q*CM!3jS_-GorB+dJ^ck-*p z>=T*qRE33f1Q{Ow?#Scff!B?Sd-DKCR-rW~_0{uF8_z$n5VM;n3oZBj8myE=wVdn- z|FyRK&C>PhqTxBq;zXzN&+)EiCTC>EUK2$kM6m=Iula4Yaqc;IbG$voE_b=!jda& z!7m1n`jJyg0Us0U+6fKcbiI>iy#e%*wQi`afkj8_F@A{fU`2`hC zWus_`ZBOa~pSYK#*u{Z+VzFxYcn&GE+W&oYh8E%d9#~Rz)ndInWBe~ zC4umYeL6@%mKoVmW>4pUmBht4%4o3d>%{xJkD4;8mCKUJ16bb;z*-yMy*8~JX70&v z{2*#Qb6*eXR{9AacAK1p%84J(9GQ8q9)i;S$=h&l=>baA6-Ouy3lY(hmS(LNd zRPeaOvp`A)szkN|CvC@EflAkyd{>7Fn&8Vsx|u6Pzc|>n`XJasC)&UuKlzOt{z~`J z;AH$)C6=6)YGYVMYg&*Boj3%M+A-+8|3Fz~<#1DYHPRvIu`Jjc9i|Tt42kB+@ z-FoS215s3P@7r)Mesp1<7aZ*!IRLAPhbw#58e@+L3uk^7rtQ>``Z@tA&Tsc2kW?sp zR6D3ID>5xtcs}whqdyTLEcTh&){-L09Y)!eY()uPXqbVt3f#tQ3fZw7#kCE4#UO!~ z=M3L;q~+iS51)B`N%N}u%g=9EK$EBPY+L(Q;)LeO%>$FVvL1FS_kTuO+-Uy5v5(8w zdYB=rGd2S&5gfbbz`uVXyt&&{bj2dx3cG5h?caW1TLRyH*{Y&vqaM-kBsvXSJ&~~2 zT3_u66*)kn*w(4H`jXHJX-p-jQ{GC^AL{e9xrdt&S`?(PDkU#{EV72l9oM*lIeuSb zG_6;}V&lrMfa??fkF#!lg&E`!C4v(9mg*kI-nw++!;a}^n?%LaLi2mB+kY7(oy|pa z7z1CfBV*)3m-1_hEs#>8)KO_2=AChf4ttw|9>&jDN?7)lHSemD9Ox!|ym>1rN>PF& zEsK3;qh@jpgfzmBW3?&8hqCPw5XW;0{fDwd8HzB&WWh86Ls6Ry7GA@C!s$#W#ZMB< z*Qf&$_RYc>5Msm3x_NU0>uqH#1>w4j&!#XG{hozp)#Fk#4`?sT*^=**Gm463Q)kWr z&NBkuTN%4ql9b&EGvbR#_P)OF{D(@Eq$@XUy2rN7_#*RbM z$+4B8W-bM$<@+dbj}K<%pNsH{ya%V&!|8PthGTLoC`Bn46QPBJX0Szt!HRn5CZ%Zg zHE)5Ft)2wf?6qv$JSTyE{|j9t3Ie+=B-kH4boA@v zY^^6#&@F7ivO9wha>fDS4Twn428fBtG?7x=Fg8%gvDCW2RDBYs@tq0Mlf}W%Lny7& zAL$A)4HwaL&)xAL{sXS2|;)iRVywFY= zaLOLk=+wlz>9}mYj4`q(NXUzFUQf=FS>4QpGa#_}@0t5qWa^#UgU~|W?xws29nbd2 z{~6k7?h>54w*`0l@lk7KA{S�pO@0yh6Y>XV(WDp5fObiJ zp2-}Azuumvn@h|x$F1=3HWyHXy`a{Y*esLZq6aRg_C6bFKPmgL^59kV1HwYPt3z$x z#HjYxF_0R;f_9vL zK$uR@8~8e`){2Ej>I!kZKd zmIxLe?4ynkE~s@6x*?Sm@;u=E=D^zipQB;p>?j{a?-AeBinMt?ow5yJSt1 ze>Uj^76c4kcmvBL(&7v#fH`YK4rvsOKAw+}a<_Og`L*wj@t}~6Bpj2(4Kv+g@>TCJ zE}-?8O-g1Yp}A=5J$YQT);e1RLquFpSqYI@_Z?0BevDzPi$3T)a9$&77;nX<8*xh9 ze*f@jJ1-pw-98p;_AFiY4B05?R?GdMg^We;4@d-I2$*-V6kcHF!6=F%%O{A*^V=pc zG5zTEkxifa%K2v_%m;+EOVhv|bj*%cyZNWedVSZ5qfbwYgd`Z?mP+$uHrOI{W0}<5 z9RQ5?k;U_51jsR%gX007w;rxAjR5w)Ftl@#kv~> zsRG54j(&);!?e_4(A3 zM;vqP_uI&dip;RHl(c|Hiph`E10O`3_&-WDTj5$IQQ$jWFq!t%@L#1mwjwJ)MacR^gh^u7 ztzAvo+U)0GS;{|tzMdzl;ns&E%%1%i8~jEYP#3k3Sqeg%%4yVC&d7;DRs*WSroeO5 zy(Bu627wh=A++QXO_my8*~z;^5C`h&MjD39mXO8VQ>C~=>#GmQ%dZB?QQ}Wk|3j)& z-GagUW`k#5;BYLlowIkWjM9ewcDvh0UDm0}(&8dJ%S9zF%vUs zdDnqht(rQN$50OG<@}N9B_-`T=1Z8H_8EB*Hp%ciMXhiJdX7vUk{a#TJU5 zeCns&5O;_OKZ;%?AS3Ie$6XX@3RfA1I93ff(&#ZQp%Hj~fN7zb$`wktkTh7TGhEUd zgiT{2c3-g!+z!=NjTk2H%OXszJyWJE}nndan z#jXYDdt&FI<*hOy2+|OhUlE zb_hv3l9c+ta`!+{^93xS++vv`Wb~YmA}GbQEQw+#@A$s7TNTMk2+tN+|3;~XF~Qa! z5i*r6Cya^su}HnSfyAO!=tPU-CY~_Y5*y9+`O=~Vju=8kfJ|kJq(GL4WdG!xTQmCGiLzOGE_Vs~521tQIIdYR-DrTYb4!|J2 z{dpwzyR3X9Sdc<-9j-kSw`gKng8eM_QOqK)={ZhC*erEGv_=tSdPyh{P#I?I^1kHg ztn&1`A`hmfrb!|D6lA(=J*jwb`$l#PfG0DK)Nb%`WffPKoO`T~Qs6Qrm5?Qks%sW2 z^8+!iO#H{l!U8(WpQO>bio&Yz-fY?_l5caBe&w2AA2>PU27e*svc#LK+t+C&J3K(% zqN+Lb0y1owEs(M4AejL%oCY^#tH}_E@{%40K2j4bAiO^>AXh%*SXG2ni7MCQW^#pU zC#c#Lf;5%GnPB!=iel0^f;!$ZNR*N&Re?lPNVC8Va~wh~RlP5jB@-p`oZu=s7C%+-N*zSp*Ne>PaeC#j`Z( zShqv@Gag?PZ@VF_HfQqYMgeZFm^AEgG~vux&=PwDlrJ0kMssXPGxVrYsJdd`zYLY_ zW#r60X_>26la;r+19p)F+-#irYX<-9rVZ8n|2kAk&b8OOf3u5QL&iQ{oKBfem9E8> z+{4*xt)}uE>fo!)D~P-+bxGi&PK)R2FJpdN^GgohjG>`T!(Be`C@OIDyFEHt1>Y|8 zJ|8jlQTy>yZTlml6ON)EI?|D8srP$JM06S4Waao(!zdZz=(^`i!O$19=0)#(q_mo$ z$1HN0@;>{j%b25k&7Pli?^T!Bs+h22DFAwSK(h~gYm+Pgoq|fXv`Bm=A87@&YBtHT zPa3mD(k(&1M_kx~xwURDe|B8OK3owWP>Q7OvOlnLlPbD8pv}Gquf7FRK!Ox%z{ruT zYRfrC+|ZKy)s_a}6Qi9AWFXk-N_W)06SHb4y36iVt~B%?z3uo|hKV`i*i%@bt- zt-~=X_UFuZXLW1+V5RewM-}J1o>F|#sU+c+uGgxhMV)^MMr{RNh&+eo_J~d-2Xe&cmwYa3g zZrzZ;LORz(NlM}hu0r?nHkoz&Rfe3jc^`Jh+6KZknRA~PY8oqo#H>%e@CoU|IH)YW_yoaj+f_>{by|-n3P^R*Xo(?tB5OW_v?&a+_{pk`S|T( zcgp++NR53hzJCiQ;hN|x3PXHTH+b}Z0TudBzQ=(lVU@6YnrfX?2^Qd^!Sk(z(*6~e z!9uq8$?G0=SNWNUV_nUiBaZmjU+*hs0ibj@r_Kcti2)xTvm5~JDzO_kyyoo1@fh(g zGz$+aJuvU_SoEMRo=8E3sBe$>MRmL=Gh8oKE8lzYW!OQb_u~=@!Jnt>sHd}wUPI6P zfh9vji@PeN!h)A5BpPhjoP{MHh)h=ybg;Kn5O25#*XqdlEUjn+ot43=8#*?`c{gPr zaWUB~6!_O#T9d2c-z;2iA_fO}e8T)km z;(T$l+Qe$d!gno&n4cR%BM9rc#kQ8}r;F;X4borS;E$sWn+)4;POSMv|H#fyaw>R; zuyL=-(oFFzkf;kfJHEH#-bwzW?ZEbh`@Lq(_AMy6{%^DmjS z&B(PL18%$)&C1=(Z4JmJ_El%P>25kf1-@RPKxTc?g!A|t9E)uBI9Tsxc|9KCZS4hI zm9FJ;R!k`bt1>7sm2cK*wZr1~ckNv|>%n?lA(!P)vGZ(m>+Q+YnZ`zX<8}t8o`jO& zMWYj1`Wpl*tRn$!BfnlWperwB!k)enMYW9gUvEG_G_Q%anV;{!oZ4Ku8E{Xy<4u5# zHj96LSYL`2T`F~0B8Gf9tlA@6Eb{Unn~p%Wm}7&-f_@)-mKCdYdi3m`7Rl@MZ@08o ziz{W{t|n?Ht64%$Y?BnQF7_!Bgb3Gny7fmD_e=QeOt9mK%!+@S@D18mF(1!A?@1Vt zk=&ghRXqWlhwF$oOIm5J*pEI+%ewU3xH)D4KWx^{$?_o8Te>^erQnlvyG-|ld{vws z1<&riBju!TV;D~m7?j(}%ef>EiWrdq2&W#xm1RT?V4qD(R+O9!<=6a>9pcq4ENGHB zMFO2e8+A8WXjZW4jAT#zAV{uj*eXTzM)8%0A?2cHVlwEunA7GjE955`euOm4jYP>z zQ|EL3C#5gkkE7(6C(^S;f6(M~M(e)`u_(+n{yy(Sq!jypnI8AKc<)Az>^hKF$Gf(2 zXP(!SC41q=Yy^_RTS;2Vg|0cui7NJDKCrfe{t%xhXp6G_N9qG26jdHK&6d3InKVsl zJ9nzv+94!m%l9!~;8)ojT0p6me(lchP})|yTDf79pi>nC%)lbU?FUa+-v`Z*jPEXw z0g+v4<(Tem_dkY?c^G61e+&~LN8(Vhw?9Lt;1#X|nU-_!Pm)gqULd=4LP^E#w4 z%J*>w8ut|+Ht}6$Rc{{F%vdmZHp$fHBE+{bIX)2 zsqf88pvUs}U0g*cwR<4#4Ps)^?jV`l zi(PePqX*7e7nc1NZgf`BQR;0*9wd6MGbEG3M^FFSNZLq?0q$ zzA_>3c09)|M7kxH-rzQ@#8)58h7woT!sJj6W7+9=XMaB3>S_$z^kkbhtvJUps#9c$e^= z1`uWMZ0So5b!TW-HAR}%OV1Nl?(a2dl!?RBa}(-CWEo(DCP7yy_eKWEJwSMdc?_ob zXXCxO$u+Z7_0oy(__X8xcT5wg1}m!9sHbX+l8npF$Wq{jigEKQi}BtUa>rYxN&Z() z@BRT!gP2q>!6FG28MjG@BX3q@#EmqodRie#$+VYup^Z13gxhkosf6)ot$R-Az>ak* zOZZSUv1KeUia`^#X3YuPCL)i=Qzb54x@IsdG*EWtsC^#_M0EESsI;@wFoSJ>{!Bs&D!am@(*!7??5|} zD3e1}0W)XcGtXR&r|3`aI}!o}&8Z$7yLh_go1SuGBI3b`{uHIeAOrjiA9pPpaBsdAm2N z)z&^H-Z+>rT!%mp#=>Egu!UFt{x^M=tO3%!-G|+c4Os^vyauZKnXv=G<2J{AxiL~c zDEBdx?7R$B6{NWhB61QS*o=u?&gN8Y0yl-1Km~kZVa(tF_tavxfT)fDz|CC49Zsl_ zIEFv$Lz9o8^4F73iQ9{RbB7Ax$ks2wgOA0B_Nwj->{ZQ0(%vT05OzN2se~fQ-8>{{ zfuom7LaMrRY8G;;lIbQ$Yh!$FfRE$ho4a{}v2+a>u5oydOJ}N<97wMj)e< z8~Yb95;Ok-MoPqp?LlLzL5O{3==bBG?*9PeMLQ5c1hu(i=j`+2BDEHM^XDTarE~>W zeY4gG1p@4>o`d2P-)tM7Yy~7OCsN^ik%GrdsA@J%0Lbz7!Ku@w>b~dbx&t6T0P4Vi zL@}T_I6otjpXxC=%I>3(a21ktsTHV0Qf8IN_wrT1b)>C1&NlNPs+&;U>uV6T4GOVG zvsuuwFTu)|Fw=`WB0h}b`*_fbEzB4z%8Q=Pkn#a?ej7>h`9}VuihK*>k|)0TPEcIw7o5s;VNVHk%P=Tnl5NFEbdw432g0 zgzpy2K?$5MN4py@kbq(i#+XqQaq~d1C~sH8`7c~#R-Ai+(fSbU!^$J784_6@spLGJ z;^OhvyuHRexQM#LJ%6#1X(LsFiO#>`P=c+>mntgh@}tTnf;N3i-_1}JA|=PS3mV)@ z2fmdm6KcK}(IP2)6Hf|D7aGc1bKuOfc=g&jKgMHTrI>VD$j;o)(6M6sZ`E}12>2VT ze1U;p*$b>OG2Ih||g9(QJ z6N?yhHQGPlBC5&`RSmYtw~o5_B=Vx0agp;N>L?wm;SL!@H0%t0tIv>5Q}8bx->x5t zYS`sZ_<^LuxrMs7bD~n(VpD1%DYccUwZ;>A#}EO6J&+|!XeV;#4(n$FURL^&6IM^m>cVDy+;@eQ)V_FkdzH%YnyF646@nr*yyVxxXL8$4y=0jO>3Kf`f)Ldm zO8eRAfI~az^g1vwo%?!kp6l)6>#E=G{9c3+!1fJP(-`R8a57XExH4W1g0_rdq@czI9v6I=8xwqcQ>fJT4fSg z&^u$@s&CG+Iq1nte2AvJ+brH4CErCN$c$Z8bF{|v96X__2Uc^#e34lg+9~c$$7TN=2d+4VkEAylnz_*5UhudimT?EhoyuHTyO!-xN`HyANG#nCC< z5~CYOiU>GDLc);(f^Kv(KoA6V^bkc*Nl`~PA`K#r4pA`yW7oawx<8-q{mb`1*m1mf z9PjP*Iv?i~EC6n#^@VN!fA$4OfOP&w8;bDYrjMu`f%Oy$+MO5@h%WR~ZAMlsXE2~*aD2RzY30sk;jTd+XGKC6 z|Gpg<%2<)alIQ_n5oVgCu`nRpn(*Z6_{7RXU^HgfS*SO|_A#t^xXi5qpwo6)exyX< zMX_G9WjdTX56ZlPvAtC6Y)fC8vAPA0Pf=|t0 zKF%2G&l-dR^+SOLIN;X!#D_nS5E9FaF<5UffQ?*r#N4KEP*Pz%;&Gds-hN*kB37!9a-ox-43N{x~X9 z6U!Bjy8$#c{6UWt;(TXz#08HIy`j;vpsb^j@s;Ho@8XOr)LuL=?eBR`8myH79zImN;?8izUR&pC$zSQOtDB)mQm zUc)_lD@KL9&_^+g8N50*mEg$CNANOZW)16D(Zm>Xg!YdLVxC@kC#3Vv8Ljk`$SKzg z)xoB8&K63lg#PMP?|q24sqwEg>>!PQ_S`IdL{0a8{__+Q0tY;K@&0nl5(2e+_wSOE z0j)Z8)+7|@Au=gQT4pj3V6hiq7~6ck>Wg-7IStlqo8R&%&bvuwxeeScr@~*0vw8;0@pu2IxbEc~X(+zy31lQgLa+$QK3sd!q69Z1o*>okLhLjp+c>@(GKS zQ66ZeLc?*g6-nSO8mvzjbPWp@0?ZWHx%{5|9FzbWuOKrYur?^pj*?k;3G5ZycAVaD zmiLDye-FuLzHnV#*7uwoY)0~bX4qgFREMO6>MQy4WvJ=x@Z{T3`>zm=o%XcEl{kY~ z17^i@98)A_wfpc|jF3?4M=ON-8e7ru)(x3AHV_&U(FSpq#txyf9ULNBX>9qZGR+Gx zk%3p`pEmB@fU}Xv$CFQgvHhu5e9xTl^BybA>yYQ>rco;32uP>@0be>|JN*URw6)~{ zPhL5?ba6X)uR+`Wz-wZgH*9T8aX#cay(e`3TG&M^p_JRNfYKtC5)9PHW3do|&-4s8LueNzJ$Pwb02+1_B85S3} ztCEd#l!TU4?VBdW(Fm%@<7SkyigkT~85uQvE0b2QO2*veHDjIyIR@Bi1jhCb_Bey% ze7LE1;K4+p#_sr!U2+OVkHv;nb+TRim*vrbZs?R~(@OiPgVm4J%D!ALoy7a2Gfk#9jOIp@FqGFJmw1p5Ip*KBk}aALL@>rd|eK+tLB%L8MeHb_*-fc z{#<|4U#5_3d0SCSJNEh7E{C6-dcT8+R+-~gL;-hqCZjAaWv8q42*+XDoA(-Q5ded} z*WZh+g)3BC-5+06)YK5>C!Frvp9lGTO#WdVQ%rBQ9k27WNok`!2yW^+d}5;%sNB-a z%hjxAOzfRnM7QWwEs3QA`KOGYjA+jEsZQvA8&C5P%T7K8>d&O6h^7(x@AEug>VtFX zt<_Zsgb5iXxyKx^R_CS&DHgL@>M~Yi+hb*|wq+Q-7zc9WhGal@Guv|m=Dj_c&uL$$ zWxkHfv+IAaAZD>Ptg8`Tx^#3Yy?Q*WN)LYZ&s6WsDO)e7F`vRF3?qAv{cbDMzhG<=p ztq11#2Vyw#0WuLa{Fc^DHJ9ETN4srTg~*mkwz?;;`p z<)eP)VEdTAVAO%$kCmcxpuJu#Y~rI10FsOQkoLY$6D7{>Pr=)=bFTx8;b&y-I68&BC9M?_l?4#e2lv3Q3u*dYHDxjG4YeJT2Kx0)dHDuW&wW;3K0AOse|2q1PAK#` z@WlsMB2VD+_q_mv9JeH`86cGXpLsF1F^t5@slG<3Ds6p_Z-`G3wCqdR2DBx6h1R5;wP{@8)M?-R(>RyAtoSgJILjD zoFX^ZBcR;r8aJ%2chxHQinDm%m-*Sc$l9^s-*H~uf4(WUdKh{Ath#+4Rm1o3g7+o% zudA;n(aqvS9J}-3CC%~M+20+EkRqeESP8T|3v38GWY^^HrvR{~$OixIf(l-V+eoL6 zK;|%fUmm`e6lzQ6Tcw(#hg2-R>`<)gTq6@x_%t)nn48QJPT~zIoqZjG6jOH>5k^Zg zS4;tAoaaBeFLLu+pW*b+5)>H50bRDIWCf{rTyMeag=)6q-c-*lmg1paUfx_*dZ=X- zy+$9Z_a>AMDy8bo+`Q>8&aXli(sgTd;|XeD`V=?u%}ZWJv$rT1v{)e~y|F{zq^7=$2Kx z^X8gR*&8FxbzFybf&)IGT8epvs0}*aU=@E0K8qd#3=4yOoV8PgBflV+OnV+U@B??| zb-*#p#)vgQqeipnxtY{{?M#VzQTb9=?^91Ce(UuzG2gMXY*Dh?qpVmUa@NpEdQJxnJX0<%in2(l6+*)&$N zJxl+El)wmgR_Oe|z>-t^=vNPm&n540y!y<}-A4bQX$oH!mb zV(wU0VcwSPL}t^4O{plI$MS8ryuSa6OdVsUgxqxB<2+KO{0sT6{S^taD`#fg6b0NI zgXs)^VY}Af)3*mU7IuFt7mg#MbQtF|rN5MgLcAL;Y8RNOpI@P$73RCEMo2ni?VTR$ zw$Zs}X`wx??0S{E4D?-3B4*~n@O)3}{b&s$M_5wIm#`_ISU8nq>iU*lSSR_@-{PlIiKO=J1RjWvV7Gh0mf9F2R_|E zJS9R*x?+nH%0E2R(0^#g?Xe*!MPZz;l5%bKV%kIe_Qlav8E&3G*aqJrB0@O`UT)&2 zj9?!cD}`P^xzR5n-He_P$($FDYJbk~uul~;A#z1WkMQq4c)cB4ReFAYT*1`o*$11n zKXoI(u&S+_!Lp9P&(k$#j9mNcLB|6XZ~h}Z7zkj^M9^b#Q>S%4s_Nha;R?NMX{DIm zCI{9CGNxXjX;7;}l#PpQ0x#Gb*D4!D!pLM^VcAcJD>+y6jJ;X#9m$Q}e^=1I7g@{{ zRii^gIn8}gkEC~_Ba~&%i@S+-Lu53cJX%>O3n&|#hyf&uUhyC7Ql4m0UnoD|x-hcM zIVq)q_t(Medl&wO_3fG@FPtJG`rc02)Q5@0a}byUlZ6ov)7DVh#NdQ#p#vJW_jFtO zWb+0`ekm~gk#17wd+$h|A#wh~!~NVbUEwc?p|b&~9q z-yy`Eeu#uL*b~|xV%)dVV60`a3ch1u{K;5az0sR9}zU#*Y+t!J2 z-o+P#3Rnp8FvH^FiYPSUpYVq_E7)4{eq6SYiW4i&nXkA@+)})WJ)Q9`b<|?|D;L4vB)ydtt|#kES}bzdFdLMj7S#h=BV zeHIRe{~NGm46mR7TN~}0^6&@>ER38RLe90|my3yoXT^2AJ$#v~-O2%Yl?!0gDg|f* zz?yhq?za}V>-ALd6LdD54=qumOwYUSD1XT$&+FnXH5r02)zFdHsfZ;i?>2d56Vb=7 z#IYut&-B2H@?%I4oFQIhF!0jH(u6GajlLgL!7YKV$3#pE2MV10g87!d4#1#z8S`A` zzo6wY_q#>{X7`1Oe2>{PBp#41%8;Pi=^Jm`w`Y`__Ny6H%l6+ewr^Tmv5>`B_*NFr zCn2!e@ykP#CV?rK1PifRC9Mt(W*n7D*}gg*NnBk!B@=X4(nkKSca54GRQXwrK?XpA z_DcPrRbsD6LSue%tmL__Y4W{o5vdj4*VR6i z&FUv+8KMl`1#{6UraEK*8!9=@Cbf%ZYOfCde?iN`u1zNaM&~8E3x+r@xVG5Lka-sz z5U0Ea9E*5(N!nj*G=wRsVa-r%X)4qW0KunmHv=jGVBbTSk8pQvX|Du|JvcngPo`x4 z!XUpkSSduO;&_O;c~EG0u>N2WO+~X@G12ZH)MXi(LPFD@+)1+@it=NhjTCvd*oIIr z9cRS$YG8VnvK@$*<{rvifsC*vKmpg@yGx8izU;8Hv}cj{zj@1KRuB5s`{xs@N?K5-VZ>?e9H5zRD)}lUhuUVTamiyA>OdI+p(`bYUPKp)mFH>cP6$G1hKajancoZpCV%ABl zQ77KaA=uIkr88?j`1H|gtk+Zee)gL5EL%6Nq*8GCf35YSiMLyHOuc$1<&TMY-!U^i z)Tb4y3&GS3aqc;H&x={L@0;}g|CM?m>|U3_GAujfKdFaRj0Bu2aX?4x!b)U~$5>v8 zt|0!CdjCQ_s3)Nw4K|<f5({zrWO(=N+Hf=e#uqciZ!zn@TC`w;&X;63@OXoGnBtLgc*gwC;-cn`?WhU*aQXs|?g41Leu` z9C|4G1Ask*AadBGMAd#UOwo1IV^K@vnR`H%Y$>(huW@tb@i6Na$$f{(hrX71 zZWG9#{_=p}Oz9KcO&a-_BnAMY@G0iX5W!vDJ3NF)l+%`@qMxTU9oVsy#pS6*8GkrB z?kZl37%oLUgCxFN zaE^T|vUpy)+3SO+(yLw_`&6awV&(?w+oMC7VNjJ(g<5>gqUV!EuPeY_Ptz9|$Gp2* z`Jn`?3W#8uWEZ$Hqz}>o}ncFdXf^aB%tB*fSRQvYZKc|r9$bBuA#(By}Es=b8*+Z4EVu_SdtQA zIDA)vFAKuj0rXr|cB-n;YrKfG^fP`U;> z#SMH!#B`;aF#6%^Ud+>C6GMiXml9gmy^klcodgr3B={7;DW2J2G3E54q#Cck4*@8$ z3$Z{zICs-r4yqv;zPz^cC*8x*pu3xbuf(FjVx>T_sZ=>P(BcHqKZD>%F1eFn_b<-F zCFOU4d^5a_ek@-zCz##wdzy%X(q&R@hu1`Qfh1bMjao11UEo2h*Ev@>^Wk~}?(w&; z@{Z=~zbNd^^n7Wy_7B|C@gbLJGt_QNlG|ihA4RIqOt#0C%LnyR|CD=vsI3q=7glKq?HUk1F`5SxW&p_5p=K#Fcj94p2Bs;36TbB5>T zC?M@0{&esEWFGknR(a=NnRiTiB(jqEnyGni%CUwBpdCzVo{*i^pFd*WR}2W7Aja(GgQ(I>?<31})&kzEBz9MtFyQ5tB6T^i7rvc-tgc-0#rb~y*vfdIZ^wr_w`R4mbm&iFt#2~L5@e1Tw* z-6SUpP>gpJSi_z}Xj`iUC;4R6!KaC(Am5J^ETDjB2E; zI74o~9e>(A;Tx%${_Sf1H?mDgE8280>;OHnt8eJI{QFyI=8^H^BfeOolQ#4QoTwNJ z(6ih)J)Epq8pLjx%C`#7E=U|i5CwK;rQz!G9dPj@1khPXY7NB|5W%{%-(YJ!~z82L{TVR?}HaV^ehj1C$@bks&WM-&H1}0 zfT#));6S?(5SdI0QZk|=8)z3f6(7wI?domQ94^%W5hJH>2zzz=yo1fmZ_-WTMtCTb z51H}?t>VM&wsmVnPD-rCu{hqWzxbis(}>ITh=E|&E9Y-;%RUcuxZoXlu7O}an3M{R z;23TN$n|I2>j~Z+MTwbk=mq1VdYk&b3lGeWk zoarQNPFKS-colm(DE<@Bj9mYeG>>7w`UNtImnuwKEU5NSRXVOg7gd=f)40V|uPsh_ zBYAjvj}35FdK66D%*!y2(?)QBuw$L`QzN?^HRad+rjhGXf9@IH6w{F74q~Z={(PVD z>lTxXQzn6j=;3*p=6azOJ){Zj_8rrFf9PnfUiLj=6zSK^bK3(>g)+-fy3u9gc~M`D z#g$pwGQ8RUFt)CHQZeI#=x!=Fj~>9|oyjMOe*zD6LtjY&|He2-lv|9Glej6G zB|yvJ5&_7xsLRCf_k6!+7r3}Nlc3EQd~<*)NXk0>)|q?n1ZLKz5usP2$;8=VAh6+} zxhPlL;J|?yDa#G#OBabpR4K$VtqqIi?n=T%A|SA&oLB-)OyotIs6b{eRudvB)m&tw zdAE`@7HGbYfd)NzG$^Qh5AQe<(zLQ|8Ac|wT#oLk>`jOHF(#AL4gZkq%6$JeGrjz> zu5z`!9kaoLA8h`TLWc<+8};hPZLb;MU;MteqfM+!f!TbRct)(sy^_OKV|J$YQf-Nk zAdYZ{*9}b|dx;J~&ph|(6<^QzhG2C_p@=>V@41pCi>^CdxR9$3N`gla7(X_Y5g&Yz zgKb1#SiO2LSgb_39DG(6BV?ht3uu8CE^bc?w!VwtloXXrAR@%J?qw_D@l4;7V3V;F z5X)D(^1Rg7FiB@EzxCLRH}$B1e8<1~6Yj&^RN8xMcn+bEN+-ZW z@q8A%Sd3diB`(H826AP(5QO0gH16M7=+iN4fFb>!;sTNczj{IXWP@^K$9E58_=pW=M465ys(P{|<4@;*nTmeo z`%blZk6V=Ui>zz0zjNJ_OeW_Ij?b|}THT$1wG^icJ#lcv@^?qYCU0eQhA)S*3Tw?@ zTvN~=BJ;tL-pC=~jIofZQa1)fj4+l!=pX#%C%p3Cyvm)nd0!r{h7cw9a(e~>{kO2m z+W1sONRu-imGSgtPLnfTo$;(n2n#44Ut763Q}-fFiH^TJ*<lXMIb6=*tns&P81%Tye#G^}#d6MZBC1a9x7x(p&?@22==8IzmAPjXFkrdi zeJ3%p6WpJ)RP_JKMW?zK+FCrzX_iB7~uR;U=O+h_%f#SeqzDEMJhf^ z>>03DmL@G{A3jRlYbzGd=?C&+;a9a4ZX2^+3D5l??FAy=2JH3}IeB-TC~P4{{FtLJ z4~?VUj~thNd}Ym}xP12C5PI7TXB~P!-%CxhexAyCix40=9-ZA! zQ)<3~P1cN3Qq{gJbgoFQoC0-|R)%4Rt6?zM;g#c6b6>d5^tHx+Uzl1%^PQQve}YNsg<5 z_fA0uyd^Pfb4^TWY1|;*q4pu=i0UUB5IEY}e)nU8FQ1b`ga4Vyg!BugRWKOlnuumN z*t4E+OHjgm2BW;u-|rd}J4Ht)zLiUlYtt}iXZ(2tumn@i^tNu4=kTXvLH?fW(^pB_ z>yn?K;>V0e_VIhaRBQ+KJ+(VF5$MsKk_EX!1tBmeO`ekR?$-@!jbpRZX-QcwPST3n z*DAoq9KZc$y~7R9eCo@}J77}~^07Q^!G7zLNPT_%^1@_W>3J3M1K;xJpZUT3549tLl+c*=8!E&q~HQ_39Y0e^mz&W zna4%BERRk1?(9fjX<1GkZL%&TRXF6Xxr~WOsi_PtNnL>Y;-D9Dw>R)ilEA&B?*G5y zA>b(LJwuw!uq+Gg-_?ZGyvb+gN`R&m#>f;iF$D_lc0@N50{>lV`^NGRc8>4TZ_Of`Jv=@T`}of zr+(IA#9~?b@)&#NHgWlfi;r2xe{POfM0&B%ku6`c55>;3mP_pWCV{p6byA5BZ zes=$MZg1^^QTjm#hxOgiij+0Ui7RB>bTv0YNx`y*X#BvvAi#6-ZR59Q-;t6Rl|EeV z&&r?F}}12Uh|r2_!XDu2uY`osC)DPr%IAmKk5nEIZl|kFo zR!Rw41HP&coWppkI?HUV#0Yp(PhgHFy&9$!MsU`ssdReSTeQA+2!Md64+!`?>dwi8iBi;BSYiioNVAD|IG${cv9N7)v5NISky z*2-JhFxSv+=JzvKb@x+vpdikyUGhkJ5LQY*D%0@C>;+jj++~RL%s*e!UznrG|Q?3j#8=5>@FUs*~`VOkYnKb z(Rb1Oj;+OpXO~g@=7o~NplYj=27*ZLtqeX19C2U9e0*`gF=JcP&G?yOl>D7m5%r2D zz;ElR=9u{)Or|&g)H?e}1Xbjz{<3yn98*h6j+}|Vf?0u(ud`oGRZT<#zmKwyOwu`6 z>1L9$~3E%1!b(78;9a2=tDHVLCJt}0U z$6LaKAbb;Mz1zR`u0sSWfR!&8GM(O$G5<%8w*g#QS7@DAmGvy5Q0csNL#K53=vTU> zlC*IW6Qp#?0t!JFSjc#}cNW+ir3**}Fac>Oz4o8K9~;}AmcXMN{*lvYiI)li%oElF zeV_i*+RoDYLnZCw2La!+n`XhUKGs;>jhQX5k0^>d8iP!K7g)8vx7p4^JTk&SiNY^q zEkqlfl)P_yx&`Bk&u(7bw%7g`H7lyi+B(aWUa-S{Gbx}t-Yee;{Gn-PsPvDJ&8*Bp zGvCuOM#TlRpj8!3(184HWXP)xClBj=}=9h1>+_y3f80?%# zR5WuDcLi#4WPof#f_1t|Kdf7vKHf;9LNlq*mXo;Sfn8&o-XcSAgU0}#YF8y5^ zD7QbC^;Jz?_2Gwj<{sg4(EPJc(O-)Crny=;&5c!J&RFQ{4*1ADF?XF@D{fAZg!x!; zWFhw4?XamTD{5S~O4ssYLNeJreOL{7XP`q0Se2F*+uH!kQ&DIMUO+pBv8V0yK6Nm( zZEx7(L0?)&Lyf~=nP`oqUs2g_ucNBA0d!ROl{m32W!t!3Rk^g(CVGk_%wNaGeN?)H zE8IIVifN>1vq0ii1(V&M-63H)uCm%p3)KQ0&fr)njyEhT>O7_J;IFvmWGbl$2_5% zUO}GXnj&0@5i@lh;1bbYmcTea8?vpt@{wXY=dU61BT>m35(I^o;@Vm@f{B)DMeofc z3fe@a@i)1InT6YXte1jQ>U~JB;senam`-O_oo(%RU(h?7X(_n1@vhpvt@~lcC6Z&v z>Q{q0{t-f;>IU&r)AY5)``#xoVu9sCG(vACASkJR7%CO(HRzxLZ)uBG3(urfM!Pa8RKc#x25^ILNF`~4H=uXSIiJJ3IzOa1!3<=y$l(T9Qet|hpf{npv|?30|ar?O?P;FDok zG$ri4b%=xB@(3%_0REV{>J?0LtZXu(r@MP`Eb!XgpOo4LU!7UbqORG{K?O5s2e8}5 zQsX>1{GL;`ZD!N&`HnWqeNWOGV>tj5%ZhJd(aJ0E)7J6=g{&3_-9wt5cJGd@Wo@Iv zq9@SRUc#88)$m0@27fE1o_F5>-W;CCPT1fFbe7RWg9^s;%2}VaMcrIT=Q$>cCx|Kzps66Fr@ckDsob%uKw?&Cm1f7&Fz zu$Dj*h&|`Y?RP8Vm-&}_<=(K?cr^%8s>Yuwv@EnMW{zGp;=DNgXG?PJOMdc;&9cy5 z)p6XVM=|>^gOw8RM|)g4y|DaxakrJn67%-?&Wp-KEmTr5VgK}zY`RvOs# zuKmvU=BhBl^Efc?KgXK$XYJ#J0_neA9S^8b=*>_$;dTBYO7~9B^KJJB#@xK2XVosS zeReN*UHxd7_~@S;R&n%eW|K*sRm0~NXhn{m^;@`1G&9ma#IiCZc?U8SeR-f>$5z^j zDyASuX2O+t=4(Y1YQ*WFnVhMKW%cl~9pb_@MEW5zoeF)8kMlS>w{qEL>@e(NZ5Vzb zX0JYeZ!lnyboQn{gaHhX&tGRzceu$NBG)6>w{0nP*)iADKI-y$I3GXDj@0X)>X`us z+2@I4hb*^JqrKXpL(NbIVZ&TiAbU?diQUXoO^69&>DX)oS@ zbtW^D9iIJw8ZBCQN!mipaouqI`m>a14T7DUJX5UM9WH5yNU`3p_T?1Mn)&dQX6TP$ zD27`2;W%#<4v~mOd~qu}a)VvQLQV1ciE;T)I-ncv7rKriaiwe)C+Uz2!IU{!z1>?! z*o=5S+wWV38QT}%-NNO>7Encb=1cKRaIsZiF))|s=bB7zZ8nLMb5~@UI?2#)+F9O< zg>{QW44GY(%>IiCJ&l39Jh`2)bows@PPh?Gd@)7OQM-bBys`%kGKU{RiP16wT?}6t^??EaHIzc7gI!-H#X5Iv397#<8 z&+<+aaMF3-odEhmfp(JNj5X4r2kgV_ke?JXa`|?r za%KB5dozxuotG`6K?`Q(FxwChn=6fXLL6b#stM3bfa2JIdX#L)y&taK?UpwLg^@A# zEP-ZL8&Vf$^`)nEUPXZP_Yvcmyu3T$PGzzOuEw2|*2UE1L1>WJO)R%gx-tyVq%qyY zfmx`4T{5_OpN!1PiznR|)`I_Y$i_G7t6mrO%CGSu^kH1Tum1PC&R>_@08B3h**JL| znt4Mk>aMpLwInQOn0H(e2Fw^~`pT&|^ES8zw$_@T3h?ffD<0)FGC2Grk+E8jD9dZqg04XRy8t42=# z!9BtJ)jRD$8EMM$Pq*U{2b8?j4^35fI^uOITxe`PRHWAt3nyI}l+f(^g~YapVuNxv z3orXVws4Rjy8Ha<6pz2_imwVmMJisq{x={c3qi<*d9col+KW4l)Y}8W($nz}Z{;W5 z)lE9y`(zN69HJDyprb5R7ofpyI`&eie3DRBa zqP7G2g0t`%E5*KbCu=m`{8?9Nb6x5I=%c)^MoEsGM?ja>tLvj(eou@_+?4NZzxpfh z^pcZ$hl&&^y|0TddLQ2|FZ4jSxloA-vJs!wE?dN9-Sg=IT$j+1*a^uV>uANZ6r-8a zQOMJW$WDA^W?B8C+Fk?GmuGLg1l^8F1u!MGH8bP-=+|Ro8ly8B1JDvJSLMI--3j7O zPWQHpyc6?P{@GirJKu(-F^_B>J~!TH>i^IX!aqK&#ZBc(CeA4a-R1t|5ABqt3$1PiGz8HPovU zhn0cnZ}JJpZxx*89toB&vA~0@J(z9(gfBk;|0DZg^;d&=7Tek9-8TDqHge$8ROm%a zkL8Ea6dLorX1FdD;N~&*-5L@v`�dsf7eBoI-9-m)xQ0Bv- z@rMCd+pFF-Tz~NVs?mZWbxrhB*@O(|lj3fBd<1<&{32vc55RJW*!*+<-kr21600tn zO;>2_<9^dca??dX6C=pWrCV9i{Pcfk&@HzC0p z`EKN8_ETLd+db^8-rJ@RA&ILC?KaBUTpk@~pFed&vwb2VT?pO(ueFOAv?0Z%W2P9b z-O(iR+u;JXQ3BE&T-q6&l{g3=x$#*ofDzg~9>D%{C8LT4>N&I0bB1{^ab@`K3TaT3 zf4Zas(D<~tnGump)0Um94Fz`|jOvzy zcd7Sn-YuCPE|GJ=PJe-tmQd6$WH&|z@JS=NO62jxob~MTDH@<9^=;sbxB5AO&~>j7 z{k19*%ShIKjH&ImyW9 za(T?UHBTmAWYU{tO1pmhfAYCgGvKKW?mtiOAIy^Nm^tz98Ts6F-12=i(*arGs*}-1 z%W~3JO$MRAsHo#(FT)fDQJaASVyZN#mL0`@1An)<4c7P-gLpmxVkMa;=2kv7n9=*h z)^CIXR0z@pF91ypZ>S=lfRJ)8(tx zv;a0-S12H6?&>2^=1T9CRn$(T*V>lON1N~!XX1`<)6Qg~w3Pj>l)g zw)Ox~VLRu&gV@MHcjkADXgg{5zNI&P+qeM}E&G>}Z!a<^`OH6^O$I`bbqUWHlpIsA zSCN-?Ph^u3zjaJR?7R11rrNbL!O++H-`$~L?`^w-@d!=Lz9`(sO3eFBpG7Q&OL!j`|AOHBr?ar3`uQ-OUIIb zz1+urCOaR7Gw8Vg=bwC+zFbv08od9d>mF+0^A;Ny1WC`^);=1FBYBM9C?H&2NxHd` zbebpi_1_GoV>S|t;w$dBXr6Nc01LtbVfEuXgHNAs?l$6g4f9zW2=BmXHnU5U^_HU= zd3#M$-vJIj!x&?o?^s|}z6}qPxCE)!sAg1Jz`1Sr4cJdKk4GL)LrWUfK!iDymiU{u zoT{B00M8Omo?Lz)q82(?gLkU8Qvu)$l)XVnX$2CAqKwW;a;&SWFo?cmdxg`%@sSiV znx}Cd%Vr!MjhZKN!8^v+Rq+xTM6{95W~Kus%%d~<1{3a%1m z;M~3Ia>1I2rnca{<=o%&Pr0DR{l{IER;dDb&p)h-)y>-KP72~eh_#ecp&Vex&J^S&-81ibfKH0mGu1t&PMDabyU7(QWfy1b;Y+)v1|3|YlF_- z?tCSlX5dc7KZ|dOB|r{qTXrGs5jqhVzWAl5NSKkL;}VK^V_eN{36@nad_Y3*n`(LZ zFqvBXv6SEnjos!_v>yqr=MA{S!McJkZ>be9;SuKn?{-kL49r!MbapZnzUoR8QIbb= z?@`1TJi_1onAcS&Oj~I#9%s3=OwK$x1NL!iBOGn^H8yqEX+&0p%b@B6V2d097&OR5 zA>EKM^L`4(KUHL}{|r%(ZO-w-a$3?4&t1x#=>{xy&A{8;=CGK)%)}bm<2-XWq(-*> zT=cIfZxw9>$OY=^*`x!`(Q`cSdAFfYAph*AMPF7uy4&U@4ZwV|4vbO10!TM*^6tTGTaM;i9o9EasPf@aPNdoGQg?`!+x#tKM zfba8;i!&}Yil3>@5@gX_oGBA*YWbKpr>FtTRKn)zpsp|;m*vmZ-+-5AGWxGF?4lkX zSZbX!GmuT~v5@M5M}QgtTY0Ni05hZWh}6S(GeCx?n#}8Gn3h{p}l4;O-6# zkZa$3J?zDAwm*O`L+qClkb@Sd|Mo8!{=pBX=B^NbEJg$`l?63@e);Fi#>)7sEF26q zIagOX@+s;dE18WRg_aiD1z?GzW{SMV>Wcjz#GT2xECzsX+Ly*y$q187Zf}Bc zz|8Nfb-nwQ-e4cn#h-2IP>HCkd!52 zO0z)52bLiR6VxVUIi6DB5z-b#*WWhgb^V-QS6Iqqi7}A~T!)TMt+7d-^qsn=lyTcu zSRjo8EEaeJyx^0~`9-Vl?^dm?m|H61I0CG`MdZ`ePT^fA70krRU?~@HANVn;+GIuX z7Ck$k2zofDF?Js%)6%1)?gq{8fQ2*#Wk6Q2NMVF1&-H_i9&D+xk@4%$)bCP){aAo* zg3%YWsl(=06#%PZV}^gaf+rU?x<&`?g!Dv0ilCE#O)x)cgaW8 zwqd7%E0&oggs#`&IT5!b8{e{5}O?+QthzT=IOe=-S+C*hQ*r`~ufrl|Xfi?DH5(h*ZK z#)x?k0PwT4ZO7^}f)?d%_Xa!Ty!pLi>?BF*nA&a$DyH22xOO%P)bFZQHV|W7QfN~xrRgcAWt9UTJFA|)jvA|e)- zvFq7&-S_YJJkMXS9ovrMJa(Sn_vdxGSA8zW683V(v3)vwIfdHT-C)}B&;eq0Bf$X5 zhk`+$2(8Zcm9l}VA>x&24D;`TR1GIk2r$M>0fR}qxkzA$#x8nC)0k!)OjV6CdJ*ue z@bEaWBK@tRO=z|wRa^d2x+#hvdP*wEwdYRWX==Wg2=15R>iJ`$-Rr%%F<=qVWJ`dIxC+uJ-T+; z?uc6OVKA^8Z#(Le`-gb%l6Kzbi<4=_^Os@P0PJ;FCg=$v&#b!AP+pA1kIls8R^4NB z&Dw=)IhRPO9*fq&$`fBZ&O3f8?3S|RDsga8K+yC10ywLuZe$Pf4C(4%N9fAfARz6Y zIi?6{UqsY*1C8O&nOAlFS&kFnYIYv!9$mq($k`Deu4uT1?g0O?`QvOLgZN$4r{3%! z)vvZV$MaMY4zO0y&URD)p zCS6PyIHk6F5DHErJ^Dhd^mTCkYA&H2Rx>DaHbc~U05Tjrrtyrn_D&99*()8mm&Ieq z-n-o`pP8XH&z2vRacxAgJc~Cn2^7~3P3$lx@ ze~Yp+17SbW))sDB!cuPvO&~6%hTKc?kbag__4sZ)j)^r-A+Q)oU)x&Kx{3Qc?uA-H~-|WEFQ|H+X4XoxsYuD+3U#aBNW3@TD z;AZ2gs|ytIE|0=j>ExzLmwRWYdX1;+ZKczn0B;))Y1>2PZCIx^R zA-Kyc>3`N>8Yj>Hev%G=pznT3S5oXT$jKi9}ig{JDy5+Af1ZF1Lwr1 z(d1lB9)1b&drFBl)TFM5<Uya#=bfVm2L+KzPYOp&5w*x<-N4 zqqn8G;vJiv5=@~^%_^E;eidMt6ON$|ucwPgt(ZpWg1pF2qvUVa>2k~B1=Tf;jjabH ztniKtfS*ZbOdKOW1ib?x&hd0GxY%of@S6StlKezs9Sl04 zEj04H(n=3teWJKS@Tw}(!+|ugsS|4#g4bZa)*uyCQ`-8K3bOtEPHou=08Nl7BN%B~ z_oyHr+~LfAivff$qV=6}I(aQ4ho3eYO;Q8ca_+}jHVE=HHCr;7mp{5>I_3H&wu@|U~~d=^dpYPaY# zO%Ab))#bZn4g{O&a*!+W4cKL z>0iz-#dOKB;*-~j?q9|LL$D|}2;Ce$yaC3!wQydC5jqdLipB%jGJ=tizZhyCTQcUD zGro?2zpI&(?gD?@8>HQLP%^h3UGGM|b(;Oq{dF;GDRqdq)LLuNnjM3?Dt><7jd-tk zUZ&sfDfuOD!~Cih!})LXPZz5bmG(G&s!$up|SBd`ME+8`hZo$NV_I;Bn@D}mDFGzT(RBxq{n z_uT9+`(kRGb#!cjofc3H(~pSL)An`vlFcZQ*;AS|@7n*e9p~T?&mh;~z(jOtKXLGJ zo{oXI_$>kSDUW1DS}XN6(i}s!GTuPoDktgu2T=W%bh?#vv)Sdhi_7iC_^>V* zM+3xmB{f_#50xbM%8yZdL2kBcPKV?a!C~!*!1>H}t8h{RhFz1PlrPEF-+oKl*PF^! zp-&%HyX5hur#Z`%IF}YUcg#Le&?2b&HG7g2XAx^w%DO6XOf!D_gnlSA*l zabe2@Kv${rlMUaevoE(c3V+)ByiM~=N%8@Q*nDX5u~mkZY^SzYl)2OzJpVRXl(Jw$ z0*4{qyb-*pV~(SZ&wp!44@)4LA^gYgytpOD6KDQHZ-tslBRyZdF!{S5%nk6p8U&o? zn0nBk%8Bw7Rxo|(xgqjV_u;fh81K^#`&2U(!X{U?enYh)jv*s$>35$4OYkk-ncYqW zzmyt5pmU)&rc7!DYN)tJETU=X%g2b@yWz?S^iepYsm}8OJ?Tz zdw^K$VLdo9a$UUBMNn^wRs)MsVc{lLv>LdCdJS#`&65>QjcD?pu3hAtO?P9)n~Vbj zPIzfDXJEocQ~ZWcu*K@PAb_thFMF`_$5aGr|7R}WoUS~RSFl%_LuUQbrTa@EJ~{8c zIWG@OCHqgS^y3B4EkPx-Cc(=Z^{`7z+d`wt)bamuIMHvu{V}A)zQ=tq1i9~O*D@{k z4fR)_U@&^NYRJv&%?+?Hq2N6Z{#W7zfIDaxVgL#S^UxpF&dW%^0(nmCVfhYI3ta&}JFZG8>~W-4=SSkD%Tk zs`+g?2A07YOQ4#J6CGH!B1&KT4BOYKXT;-hzlY}N$cv>#UVp$7^2>elun9g2{^|){ z2>^!hhC#@hxbC$vstLf*RNe?s2D^?yTNvUntAqy=^$KN?{o4Hip)+~5UcG$Y?hrotQWoMzB1 zTOb2(SlgAzclwb*Xh4uAApd=zGWEiWT59yxhhud-VjQAnn#v3K^zmoj=T@r5#+u$& z{iwFmo{sS)z&Gc|RiE0MqPpKYm$v$uUU7W%HA+y}>W0LZ6Pq+~T)LPvR093{i{4ZO z`Vb}!2eJaJ)ZiBxhYBPzA`wOvv0&~k?AoT>|Ma_Hc9F1R(f{9k6BpT^<&F> zU$?HLOGpQ(gj;;vkCZ2aL|>-rn)i#pX}z|q_hp|Vsln2QWRSi6O_pU=;c5K4qV11= zEG5Uo|E5N1@qW?b!U7KP;?m##V`_pkaPS9TVCIK9f16w!-lI4XW3aJIEMNN%QI`Y$ z>2%rQk^gqO>7ouW-U~QWjWmmwUwJZq@MP4@P(REmb*8H`d&Jfjcfbdn-w$Vl>;Kc^ny*95|F_45 zhibghk+RU_nfj;4C126Nftg=*>d0376XTl4U44Z2KH*g=iTjt#Ont(9{7&*iLdI1{ z0~o4r>hv)^i|*7~I(|{y?Iis!^OWA^uHHuKw}%WlUunzL_x67!B_#b`qwas}`ti+X zh4{Gr8MAp>2TjM^`la~)=$Kzj5`mf-+E1OVQobK^;z~3&M*jZNKX_T^@bF(96UZc;I`hw-W*hNaYSh(|;-i81} z8yfsIGv3YanyeYi6W?o6IxSK6L$hvQ`#Tb-wE~F(!22!`{3gIYQTXEw{HNRhX>AFE zuhQXm@3e1zKlb{o&h}8@`VH4*+Z&C9RXP~m6Iy7Ce*-(FA)mSc1laC$&%Seu!oU>B zit?hIR1ZPfr5uc_n9|B@ zuN>>{R6QuVXK+JX+G7z126q+0l(xP$;z1fNN^JHWhg_1@ZNY!2(IX#9$O`Hcd}gBV zLYE3u*ICyHypOq2>YsV{4hRIgq>ejQCUI!bQWpaEH9KlwrmM4KQM&V5i8m$ux%lP29RNmr{nL2Io zm*FgN71!3j#4is{59WjfqX{2+<~|r;BcieyF5?><8a+CCz9lcW_zvy7Zf~%aVBl9h zdHpp&ZvFSL@5#ZQG%MXk@|PKP4vE=U7nzV(+2#6c)~?G{6O_T=BgEX>JT))) z$A-hDs@n(X%oQ6YV&*O6?vzZrzo*2nhiU}fw#ky&blS`EEh!gkmFI|7S-exLrN7a8E8pTSQ#=X^)rcfb31PP~}&W$J~s+hZ2@j26c0tJ4UBMeML z7g{t_kr3r7vZPxN-4a85t(jz3Zu^JA_M(SaE`*=rRJcq6?Ik`FjWR$Te4^~<5+&@9 zZjQnd3wix3t4s@L6lEgp7W~WV!JE<7I)F+5Au&)~9Vt{7@Gs17W9Ie1N5m>T1)Yf-K9i)4`>qTh$1`UbeD5 zjub6*@SlVw+m!c34J?7w!V9l}@77+lH)=hfem_@vrVE|HrC-5nFssk~M_hAEIE9^G zAbiW=i5XVNhu|8(SJB1owViT_yEWB$Uzt8nH=-wZf{qhz=o@CNzLzu2EDyjne zLIJ{(9|D>@gntl!cUI==>lGB-NkTGjZzf2nC^mTX(50aVW1^}m4pb3bA^lp@=e8gDK;jUCL0AGaS9U+pJI4?@MABV-F(67{H=2- z@|I&GFBpkc93~VarQX@Qa0&p%f&nTO&k__7)yWsziITY(=V(Mp!^)ze;?%ekGE?Pd z;vR@K9MvuAMTzOhZn=mKlE8w#$;swGJ_ih#F&I-YeBc|qTSM@2CyI8Lr-_nL^c+aP z)*h8qZ~UUpiGRSOyT#RvCGmnGX?`UOZS2YRq4vXy%bAXJu3f^t^p9!J-M8mbD-AoZyI5rmN109=Vi4A1qO5Vy z^CU9Rr`O?iAG=9ZlJky)=8<4k<<_}9lzM1eU3YXX`X*$~U~k50MR2)%a8 z|DN3(LKr#7eqkD@Q&^s-xd#$LucT)1+{rQh@OZO8UrE&R1Zu2`S|~TA0OgSZP7=d> zbgn=~|9!5qJN*2z4gSM#k$c=npeykWKmo%7NB}3EIfW)Nocc0t0w+SAwYHT6t?0;K z;(IMu;Baa?yNSZ)SYIwKd z@}SbZgETfTe41ba0eH}*e||X<{N$cDOZZhCDbww2nL6IsJZv-~VHT!LIWwVi)#TgX zrET+W!BtGu+>hR*?cF^8nFcZ1sI4HiQh_)xb_t*WFN8OcAhKuhu7CC*W%EUUr4*gO z`#G<}#?8mC*Vzs#WhaDRaZ>n<*Ji0DzH`o=6%+1kx|DmNgDBS0EgPfHugyN66S-$I zCw4-SVI&B34W6^PCv^q@BdVnmK-wrS9b^8pJkWZ60}qmoyG5UAmy4`~N_f5b zBjg%{LoqFYIe~}-0hM|jG!T8~Gn&3~kZamWUkg312LzcCjB$9$J%i%-`Nv<&OXxh` zk6_-<2`2G*emGZAh`jk^$%iig#dWn?$Lwb^kg^zEx5%oUTq+cgKkwPye@fU!v{Tf zCc7ga)A>KX135vBNpH*|@~i0bbB>j2^n6}k&$3yx8B%3+BiN*}hwrF*8SsRIy76M1 z)oU`=r9Jp<=ah0*20SI zh$S!22jS$`d3h@h+1l}Z_i@ZMgEGwnEaM&;!oF`!3_X|d8s_d0hb^tc60-9a87MZ* zR}m$hgUy{6ot)>JtyR$T7e5Zr&&~;qAardMvp3XBKE%;zKw(`RY9i|=ok6Gx)lFRW z-e3O+hXb5_csW%gm1ckDxIF>EeKW$|8IytJtT#-zmcC)H?;qrlV#w(lU5|cK4{$9Q z(4!k*Kmga;fwH85Tp`N&w{=hwUVeO#UwB1vc-3Ak$f1WK;_zBC>28U46_i;(C*P=z zw*t%WDf<;SpF7Wooz^Yia?|&>c)jbMy~ZyMj9<-R6b?*HSr*d;upEInvx5I>_Pn<= zBIY(IQdfErbl*2g!hdy#lXUMNwvf^AUNwki3m-^h3z57mf!nzw7vF>eT-_-QeH1sP zb%w6{p^}2A{*}CQJZk0D|FDJQ9?IC=w0-OMZ%YmayhJ>L$kd7TsGp`T%u>w-g#;P_j9)}dxyG?Vel)f!KjJb`1$Y!ELl+=T&};L z*MER;hr4dc_Irj%4KnVjNjvf zzI_Z7qBcS-Usn+dja$TZxMczIvRK83S?upzU@S3$FY5+F%I6yLdN{oXDX1+x4FW{; zK@p`lTh=+2@KTJbuUJT)0z?YK|1B{MuR71g_PFh@fbi^^c4XR6>^*1^c%Fzh)g-v4K-#Y$pS=lUnG}?O9 zx@n8SajYEMhA@;$xO~H~l=V%$4;f+k|Fg=k0D3?@ApYO1a*R$;lUbmX0AqUS*`Qc3 zWXvh1&k0pxGs$L=%I+Cw3uwqg8rieTIBaOr-%zyS8;lt*w}Gu_mWEc{pN4B(4|niG z-n8RFr_wXg*GOmDnC4tomW2}~wPIBDmiGK)omt$TTprHyS+cH9`^I-y~<7c1taGp<0MrXCoSjdB%Gdr`jMYo29vnliSMV)gwOd_9e!Yb z0OiXn)7{y$FZ+sp3eOqV1=6fmI39JgWmoqMqzX|TPLBQ(P0MB#H;pqKF!=SoR4Yo- zPQ>+KHqrbxbCQwT?45@ZVn~OWBXwrYEnhIRVaPe@bxlB~{W?q!Ikuk0qs_As7kZ93 z&nfpfZi0C|Z-~`kyXC5n@kxVJK@RHSyW!l@xscu5JuUl-tOi?y;x~U}-7*6vuAdaq z$DHA5CrXsFwhaKrZeFtX!kN_`cKb`!Uhu>-c;@X)>1ifr99UQv#AFK8WqwRIcNNvi zE1r8aXFiapvEwhUXm+-;d+$0G5y%T;^+4O97z65~;OdFnSa!>C^J1aE(D&Z+dYUs{ z|HhPZHrvpw>fBVx^7O|m{y9?9@BLY*u`>x$ciVRohg)=E{0&v<>1?CbDCsg*LXOXb zL9~CJVZFPX&tbFsio_0-&JCxX&33(5)6M--Ilq0=;ehOerYo(kAG)8;NFVfE=VvwM z)uon?v0TqQMcxjLptmEk3%}!znbr;qC0Owr1BFuD=HT2eZrcXJLH;Ukeu-sCk~v}d z3?IrlDfDvJl$S$yo8QeR5PNjBAGcPebqbmaXFY7QR=&k7LGQ`=ovZ{+=Gv2vT`mLQaqfWtak8s*O0F9A8)eO5(?DRH zPUyzv&B86<0IE1wk0$R$cl{rM6cd4B1f7e-1{}x*IaT$7SBDmktT7WGHz{4;NWF9J zWy0x%?1zMy$;%w{QET`>;8pGs-q_n)aZF=RXHb!ruV!yQj8E9H{DsEBWsB)~yqq2+ z?l&Grw5a7?e6bpRC*W#pD@SnCpMdK7JmiTr>`;p(j6Xf zwpvh;f0ZXme(&kEVb$gzOg}T^73^&QM_UXL=r~z3x0H;v89u`<@)`p9u3vH<3mg9% zrO^p2oOYq!t-TA%=u*7RcKMn+W&>PtlEs)wBJ8GO(n8?1#(+q|?k`{H(9;ox%MFAT zK<&nC4YT$zODH7(tp1(AM4Qe?XV`Whja(t+s!F=Z77Bl}zOO9I79FIpW{j+x?Kiys zDJv9+o4ImJIO8OUD9U*e`jnUDyu&PVxeFsURcffZZ;*E*beHiG!t9e~y68doZl$6T z`UjRdb8*-4W^!?-*ySi*2hyM*BGmlVxtIb)b{3Px?Mg)t3~?C{pj@Q&%p$3vOpI}c zt{@o1MQvrM4yn~RGPM?nT*zxkM##p82-{ChR31mayym4<#6M?lr#)YAFOG|5ms*f| zsq6KM*ZvYj$P^ZEu4Ec@{$(Pq|G4yp^?|ZX=`1REF7*%vQZt)_Lv^k5e#8!l2T2QE z$F>*qWz{C|i{HhWN^qWwf2;kec;@PUh?)N7SC1HRcHaBS_nI6>I7SiH`R)*jVflTY z>O@Ssa%|aWURh3&RnuV^3WT#mT3!70ZHFX|{4341iL(ClJb8P17e^SaLiccdB}*zb zwJ+tbI=}qLHh=%GsUQxw+l(>}_IgM*sKMBnNr0GB^_1#m<=VfrAGkcJv1LfxsuUM` z*M~}vY_AOz2$*U8PSR^7`nZ2~5;<+|$gDV_ct#~TrUV1IuQ2V~^^4L>KPL_~< zR;FILDx>174G~ZLBge`0(}SY;_0hZj76y#lG?!#&D*tM*%)kU|Zmw##B70W0a#-#3 zsN>x`C5rK}K^sriMQ{U$uhX-?L%R*~ z-Bs8Gge_vFokF-5BYrDV4B5;ajE1LjOj)$wM7N$jQ=~r3ak8X%3~*31T|Q86I&A?N zeXGV0`een9HHh2Fj{%b_z(P4e(>4FO(*3lZ!p8$X@|fJxwaUAZ?~9^bmQe@Eti z?Y(#w$J}x!D2z373lC(ZOh+w0sNDW}Gstatz{HjiE0MgN_A{|D<=iJ`E(Sgl-3Kn0IqIx7wX8|U9{B8m#sO|g(TtwgBEX*H79y^bJ$&t9fE{J zN9TUte!5Dfb+y8mNJAAu%VW}qE%*5jw<$5IZx^fCvOTAVUWc)H+ucb?o!9Dz3p!k- z0S1j|4zGk!?mE4XT78L&KfOjf`=<}<3O&nG^kp4}@-)`@4S-x^P%pKqGQ?cjd2`a> zGh<7L3E%2xUGB$6m1kiAK|cywPIgpzx>$34e}lja%-`bU%b@DInsl3{J;VVfH>slD zLffc=4Z`=&q?=x^B%iLuo|VT$F0XC=WqX|ShsmYj<3#=E%E&$fC0J2@8$7V`mkRIk zzW1Qb?Z3&fJ_W6DQK>pYJS@pZ(Q>NnIIq2rirpK;Up*r}&b9gNJ3i*CSZhfD{1py`hczs_dJzb^7FY*L0m|(>O&syRD-N>Wemj;iBXm zNQ=Ou_hLgk9!hQFZ)J0rw9vR$E3sO^ADCE$ljd%0ft@pTHbkh`w{9$MeXH5JCNygI zS+9cUgl|;O_t#N0w2oYJ5&L5~M<$ug<=b_cD~V!XZwi;jej6DHzS1d%#feEn#)AJT z<&a4XAt?i7sKJ9Ic%0E{?hZAzZ;NqRUhBdy0H&SL-eWi)q# z^B+VcrCFPg zKo!?KG5c&>e7=@W3s7*E0-#NbN4mmz=rW{93|g}VRWOFfm-5@)3a=Ddbj1773a!Hf ze2*J~>sz5DvWQ3B$2dM{yU3nDE%*Gv4PR5K(sx=njInT{xK39wTPRq)3NDR-WoBh# zyCB_IMsQUL?+N1w1>V+>@laBT6wA{U#I(&CFI{H6e<@SG+b~?FXy$9CYiEeSyj$Km zOYh8!00~@2oqCs{RaYUr99_!RotKqW+UN#7ri~cPX7geZ>?n{SrtIATld~b~)Z;QC zO+TDj!pWHvXAm@R9L7ae_v}^o&oR6GH9gr6UYt}Wwfsdqd5~mAF4kf#Z~{PWfDGTzHY`v!`YY84{<;FC7R zr!gSriQ*Cpo&O}AT_d#C>|Qv6C`V7*wql^&bf(W>v^2l|8CMG+(F<19+P6Kp=E3c_ z`vATJFu8n(>V^plCwaO{=?{*CoCf8%#V319oB2!Q=EudAPO1&Cjh;WnY0a0FJDr~; zqIHYzS{0ZPa4+OAFLMIwiKUg&|5jbT3{Nugo21&SlMi}&no?G4pJ_7-AsgznZqk$L z!nf?*G;e1;6lEQClTfdhN!RjI5v~!JcIO8}agBYa^_3(rjTD-mWs1bmPU}Ltx2|ZS z={3oqQwvCQ4|L!J=!K-4!ZcZ+1g}1n*M9iGbKwzn@xh|wV@gd*`00bjlID1mg z5Ej_N%y? zm|SB;hPKc*d14s_67ub99{nzVq}QX{CtH;;2?SsvrX*AftFy&rzzg%LGgqVYb*?Nr z9W&LJw_NcoqaKI87hO~uueB+bCN&;A01VKb9zPoc4_gkft$RIf#ZF4T=8TWNf#|3K9&*X*&DHT zKcc*;TVOlMfKKERmv?wt3+;T#u|J?ZyQLiPaD%_#-6Yh54AI&wf0t%?m(H)JFl>8%7#T@|+sAaVRqIYtcg0F`F0FR5RsLd| zV5NVf!%lk4R{`{`{2{J{>nY3bS&{8r@c^8P!L?9;kBJX6$g$O~y`5pbhq6ySeZhrf z=wmYU2&=Nt^yq5&gJGR6-LMCZq`qvOJ^-bQXA5lMX;07EeE_UvO=CzR9zr4$n_o;aQK$a(bs^z7xefNCKlES%_T0D!-W zno=v|@p4`I0s|3BeN(-jn6!ZhY;2Q*1Frd0CCb8#1qSd8T~>@E z{zzDEuOUO~0Ihs-n;PK6!T31`eFU$YosIZZLbe1ZYr^?tb4NpS18#ZPtz`G8Rz8dR zJzCDnh(?ztVV_@}8v5D${K8SFCyl}+(FZ?9QXyU0Q%|ywD41q>!P!1ZM zV{%*R?|a6c=wyIT81A7Erq)XIgSFRs#$k7+GN*uDSkKh}^J zfCfn3IO5MjNR@ov(KtdpW;h$dp9?E(UKHLHD;K!d!M_w=1&p7a=0AbB3eAg7!@Rs_ z3Wr`pjWIH)c>R>A2AyUCZ(d}L32P>kSP8IkpB0=bsItB z4fxU?y&EgS{0`jm4~611z0@30@}7|-^tw>*bph)2Ocn4pO_EDla^INt_MTT^gD{gO z{jG)q`{|)4Gcmn5N);|d?;gEd33htSi?#M11`~M@1M8@F=&xrs-)+Nz|ZMzth8)M+}(Jcx3Sc}BX`XB=Fdh! z3y>eZxzDr;W0i(sr9U!_At__ZSVZUv9fb^vy7tn5ckKz&E4mQI`OsVNNY+8G*~HaX z7{SF+;0~vvXru2o4RtgV>YrrV(f&dK#^YygcHqd3S9f;8A~)oz``Ace;K@cH8g@Hn z$;*c0xbPWO>)CF@omC{NSB?yIqCmezyg8dn@1eZGwjg>?y-^{IHd209Y-Sxdw}u$D zf6{Lcd9OpStxUEo*7(ekc{VQP@2^hpM?X7MRD8GO{qD+LkO~!YE0+=@dMH^jMRz<$K0}AKC*pqjc%}Zm%LRv^CW9yyTD=lF164cwWo7_% zCfMh7X#Qc8&&~(xevAIQ&%$2y>{27BYk19X?MV%qC)@GnH03t`uTj@My*-vyp z|3MJ3TN%^LpI_|71#7uM?E5AJx49n4yW6f`+{zL9`*Y28IZ>9=Hqf)RN@BsCXQxDn!ht9%N%H#c|+l z67c$XnTpmomN#WbHhqaNi3y zPS^VP*FGLA+5Koke+g&h*L*(TbN7=q0F;*4O0x@7?Z!TLryEzDWurji)G9 zh~?s~V7|;dT49iuamvOxyZ$*PG^pB6f&K(qe-kE!{n>D#c&qiN^8G=H=D9}~u9NN@ zM_&KCBMNw*^+y%G!ViqTSHjgS6PK#h;yxC%IF^mNj5~b#&{(2HPY1PA;?rw z8ij}E(21Kw3jTAVh^^JTzs6t}AfG1AEGQAnD$7|BXt#bD%l)b>4a_a(PN{G`&&Lq> zoBB--gEUZQW><7d7}_?H)IgKhhGx7KI7Oouci5$N&Ac_u^Qizme@~o*ir;9iyQA96 z+q#M6o%^wZfK`(Sajqg+n24fvsft(Ny(?JARP;{6(E6Te4IgXc@l$6f*Ag7W>4kJ zcl8TS0a&ROpIGdJmFwlxoi)Yt(>a^gylr8GF@vx~!$&5^hv<~+dXVYZtn z=5F4?Sb`j!Glkidx4PnU7JuGjTSbPr;U*mlgds{dl@YCMAz6k)5b4|f-c>{me+DYY z1Y?FJyv@t;btrrP>T}Sm*<-2|%eh(iVGDIK>QQ^mA8mCRw(bv27E(jZ- zYUTAb7yo*_E9tj=s>s^6#c_;)f8paFKdD<1a68?J>X7K~XZN}3(6P0*Vn9~{(qWtv zlX1K8UCH3-j$!>`2~gFJ*0^O5|y-b$I_d6S4+e zAlw(1?bS7&&S9v@_D)Cx?HHJDHvalPo-TYlU?n@n+tE#ZA^hx>?=+<}6?uTdf7>Ks zdNs+mr5n-y8amx`%${CKXjUp`W)6g(Vv^wL4#{a}h%F04ZWoL&Y}P*+)+PGP1`JAu zV{^Us#CU_YK=fZRS(a`F0!&>cXAkZ3BSORhc9;d*DT@BZ{`)qU{qxER^wDRn;65a3%+uv+~Se{a<7U=F;CPU`a;aOk|BsO*9zx z83TY=TOXu-cq^%{u9$TW)r4;#wy<&hn0cq)aFuR`C*4Y-8`waddQ@a00kla z*b>c6)@WW=B!Q#uL5JAK&W7bqF-UP0XT7D3N3HYDH@buo1%btJ(`Tn#Nm?zL!UrnI zS;nu-##}|h|LASz&gJP6F29;-+k8i?>TzVk>pBADCBLspt)49)2<}2EzjD>JT}=D+ z9>E59@L?_Twn{m!xeRXx+@fG}Eh$SYYnz3ZV-+i@18q+0I%MDRj3B(2 zTb0?{O;M2RQX!_b4?ip!sW0%yh1~B{jrZU7SD@{;m z!|DS%D+nc1=63uHDF@*^g>xLaY$ok@xL==pIxo#r#;?F8|K4-qu-A#2{$hiyXze%U zI5}K!2xDu!jX3*-aP9{;R=xki%LxoI5QvAZYFxU zbJJL%juSP*HqIn3JzF&rR~ESf;(X#p0kLl7a=Ovh(gCST#Y`2NBjUn}SiF(=!>ThT zB|*nyM-gibFkdRQAoz@5J$dJ2XM9qi^kMeoO@Mez@A})I;CRSD$>gnDZN={zHH=SE zE}4*O`RS}yEQr$t^cXAr)5!oY1&3=8r+`KqfFcf*M2Id`l6x)M4X*K|=&G2Wcu zNs_lmc8>C!o)|!_tFCljpnSyM(D`%S@JC@P*QaXJZtz{l{iqbH6CJ4_ZI&B%lVs`M z=sySD7#d^xv|)J)ebgs5i6)wz1u#}2^*&6T;P~4`xGEndE!NK@Ef@LlAuyxBO8X3m zeZ1S#d#W8dIK+5rL{8S$5Ui_-Rn;5{&<6I3vvJaO*jsTr#^%5E)PEA9qOPJ_RP&6* zxUc_VeKNQw0+|uHMO!7-HQ?whLJ~Y0KygTbCi;1U0E_ZgD*re@x$DAA(etLFo@KD1 z$dT?PO}&b$hh-GKjUkX6FGZ0xZHtDcc~XF~RDEL$t&(fZQj|2~IrJN#kxPJzdQOva zxD=}{9Sc zCQPp}cG%Pyr|sLOCi)MNMN{m|GjY~ks*pY7Zg7U(?}s~Ni5?}kx7V0keWmPI@0j?h z6cd`hAP6AM%InsQ>eRu;H-jb`I8Ys-dP1(@d}G@Gp1r3Xy`O$Ez)w=zh=Db}0Ei?4 zl>vickO|Y=;fSNr$P+lQj;M=(+Sc8J6!+eSz{62BH7kJEq6!XQvl%M2;AeHVHD>no z^(uR2n4Ph&2i=)nBR0r(!q;b>(W!s4jw&P41yA5Q2WhM;x-&XB{&6rkfgr9l44y^a z6f_iVA0-uQ2Ziu1NL!dwK<48_1a2_)cUNh##m~nt=({=K;bU0K{5$PpcBd2f`f9is zQfrKJF@CiI2=glOaiuMjTIGj2&1o#Gqu~t@5Q^ATH{R3)RM%#gYyg_6TD3D;{I+7H z-bTRnvv3UR)9FOJpVYEHB`6SBRrscsUfTozu|N$*!Y4t1xcb z0ZDliV9_@`{cG5!)cRH@TY;1|9tCK0Jk0(gW^FI_V9(li&na`iS)&f34a5<2=WBiE z({v?3Vid&x_)uxng2XI{AzIgy|c}EZs%x%%ZkcU8z>IXn|W`|tNS~XXE>9?pXNGQ zu|m^Mya1Olv`=g9C=9P#+Q^T=+nnJ~`|zz(sRCzs%@kbjZ-cPm=LJ&_msLU0))Vs$ zHdx9F+IJuKo6fFzu(0CJxfBIkZBEc1i`X`aH1k=t^7?bp;#Apt!{zv&fUKLotNC=)AneG(MFEwc`sGv51vBT4_|>0ojv?DSG9TJXiq(wm8M)!~uQ0bBw z-7vbl(~%O2sHj+6&%Ey69nXKT@y4huj&69FqG#=CXv;L#ispVFZNr)=I&+hrlElBUOpdVozg7D?%>Ymo= zJtH^_UC70F1LDQ#Yf_>lLw8r30p=LEiYl}Z7tMiL*uSYC-Z?xJY@Unr&PeC`sC`jvI3G^c9^2YIJs7BP3v zid1&o+&^W<*~(zwix&uAiW_HuGKT%-3K+)8JjMmI4sbSLjCmnu|KwKhk5UqIMnVh3 zJMal8;+024PP7reH8;+QpJ=4JM#iwMi^&1p5Uqs*#36MvYT0w@HcLESc-$?+rS*5>1p0h@?Q>lBMFGS~r6`BUb3I^<3`Nas51KB;J z&2Gj+XOj<*B&(4K4#qR9U5GsVz1TP+Eecq6fpWM;A|0YjLSbOcIIk|~Mn*zYVjOaJ zJi6ZPfo87})97l5$W}Am`Hv3(zzJf5&nFc&qQ2_XcKpFoF1mvr8GqerbO{N;-U`DU zjxojN9{W(J!t!BI3j~nS1gLU3KKmxQYuzhc8y}}ZGCV;L;E%eY!IW~b3{_pE2p}a6 zNh=4nVLw9=vM;$r>n12j%*QBsPT=0GF3lV;J^jGkwzu&rwMoWDfrwZe9;1FdwR_{& zL4HBV0Ni&6IKmO5UU5CEK6znKLUst3D%3n-+b%nrnX$KO>cV3gA?n`C5RMR&i)Cc^ zh!3T4=>kPmpz?AL@x4k)0TgM#lF_C9e2%h)J%D8Xj{hO&No4bATxFyx7;r84yUjUP~tBPhhMwT{{#0 zdyW)`R9^eS_*Sy=N~fv>P$BPxYB#@_0PxeBStD| z69UiNHzh9b#k-rf2MJpTq&i);@@&s{@Mu?0KlpPyw?*UT5 zm)mg2LTyd54$jqP1VcFREc6`%oZ)uW7jqm?=s20lUsD-6inh2##eud z{O~6raOty3QCS2v_~lfR<+gve=!gs(Bg@a-DR>RC=0sv25$oc_3?zPAwSHwdK|SlY z^tLfCBLLD=lCaC>R#iF<0Agv;;pQDbZy0b<3h$x{Iu+PGdYPliWeEL#Y5($l;?(x& z?L&qD4_MOXtJKcQ$W1uJlmV;_0K9k$c*}oC1HWubLmCl6F3eU8$00-Q5DI+4=mdfv zFPwD$?KA?GiCy}596b?#%~Ffw{6y6+5&P+%DD!bd&C*Yf>bqBcU7xN>FtWY;2?{M7 zW|+3C^?$gxo^GGn5kmgu# zT;d)(9SPa(!h}nlS`4|QbI7=4X*3I-$G*6IxOmGeNVUqQGsxV4j`MKbqLT=ckS`N_ zHeFp^Irmyw8L|>Htg)bqOykxBNqSU3EAow-%M+@U4& z`9_*t83JuO`wGRXYFRtoVH&+;*}4t8J+$ibCnOJ9W6`|v0*=8v6fB9f9NX7>O+1=8 zd6MsjCum~$3W6dgX_cj_;+Lw-Uxy`yFfNKCTm1i=g|dFw>gY}b&$|r4@OMqtM~`P% zdhoZJ>Bo)-h41=~6*I7VFg7}mEc#N(y}XPLJ(_%uL?Bxe3`1ig_KidiJgkMtkYO2)!g6l1Ma8D3Ep+ zQ6T3bP2z&_7>8l2f^781v#tN-w!HXuNp5k9IbUep!mYFXy_%oS6g8u#Lbaj$pU{)r)Z8LCnEpBd$(-@gebHHL`wDfe$qihuAHv*1?2>g}b=1xODUZB9(|);B5@F}Q90IkLRtl;l;eT^KSk#)*Y3$aw zNf_pLCF_tyqETaWV7APbAO09$v~P|;P9wp-ktmVX)xW&<_Vu0}T?P3leY8Pq=RUU!1@ zkXgm+S`ltqF_q9NNkQB5gOxn)}{WG$)Mc%hc`xxA51TAwCEq@tS(667-)SNCLfJ zj+U7!n-g`$`KtN^)!D;mj^?jkkIS{qGQnwvJW)ccj04BG%hZWLyX}+l5_&Bv7MW=m zrO!58KH(!d1p1ns!sD`KOrPbGd|i1e$Hy<$C6lv4GHNDE#lCocNOmGEt^GD!N&j;q z7|IE!(ez3Y8lcKqGoSaj@tW?+I!ashBGWrX;fwx!aX0o8gk| zFiSKXlD}N`Ug}iA%UmRsQSDXfNi--*uW~2t(E<$|~e|Xl|;bf43fh|Ov zM7c`iRt(R(+XDyeG6l>BVnLB~O*dY5OLezi@qKCI zE+>J1$?Y#S^RI54q;Ywj^u{P$l{gq(ODmE*m$fL-)(sRam~>`%xITjLoT>5BBhk6j z^Qrtv<{N^u#QR*6GHvFXt~Sfv*4se@mPkgj6tF>(a9J-nw~Y#7w>zcGZpQ0no(S zTZ7Ls<^Is_tK5mAKdUFKg2aAKKHf46Gqvsbb<{wdW?)Ot-%f<_#Ke*wbo2?WPlvkk zqy$e}EpAXJ+Mt7JG}H`~S>`Kdc5vLEBBop4f73!;_&v$2T&I5h9+t9uJGZ)v^p0wt zLOSiNO?5Iu{p~#Y7JFeYohcVzlX+rZ^l6m=o6FU{#YzZEvhBCc5+rqY^0xxhY>xbi zO6Sgd$;KD1Ydg-C34=KoB5QKwF{ez-RlzSA8HX$uLkiAwH`-^ zeAQZ?(8i*Fpy>n1xeylgy)Q_gtJAC8(+CbH=U9^ty5a98eRO{a8yxA{`{8-aOj}`d zx$>z8lbI)+~>8n6P&d68)l{))v#Xy5|@ET zXA$Hzx^apxMim-s?P*0Rez|iPZrZjz-YDgvpAB`ql>ff{PF>_-uq%t9!9PpAdiT1_ zy02?Ay3aqRIM`CsizWgM{~ToPG`TwM`7peXGlDogrsfk5gMBG@TMCvV3hE1Pe@8X< z!b%PlpLQ?)H8evlyTim%`hn-oj&WrEN+$zbiYOd=$yr%bzvDNwla(wYZ45gS4{m z#1h-|PL6^2R0fAhWSmau83D-zj@Q^sI$iT&SO)1}E+iBUISoLG=i260n(CkZ%q7%tEl~+$*}i!8@GYBlFg8i1C4m2wQw7^IKF41sS2S>K%TZ6{liH-Frd$! z2Z8H6{*oIzVr_jIII`i+T*<$Qxs*WBOA|=Abs&~0hKq9hH zXd8mDFwWd}KD&R}Y@!W-g@C}xvD~A>)iK=7b?A^x7^J7{sV6xoy~i)(geIWXg*@$u zX_8Ag<%eP}ks(eFJ-Sh!zbD+!gIvdOzP&>Iu_F8~AytY_xzX{SW{im7v%4wtRt)D0 z`)Mn{C+($x;pdSv`YCq9#gUl|)>NT+|xV;NA!gn9s0&*#S#9Lzi^{^%x7T+mGu(0%DOZcN$%O4s1_goPCcZ(OxVE zCL*yIP59|E-+7(45KRDM5<{Dsrqv@Yg1|TJLb)wscV7e|;%|p|ry$D1O&jei4Raxl=6Xg4y z+*7!*)#KsizxyJ8fG+$gHP}hwDP0G|0FZ2G^B2Y%{5OmpxrErSr1j^$=GQd=z~KXX z$iY1%h#0_DRERE0e1c6RpH~}iR8xQC6gnDklI^r+oxfL+)S_)KL<8wsObwfeF+k@= zFqJ&@0>_&?jYpG=nnZmHK=m^cNidfR<)8_yf_CO=}H3$wfz^sBFg^@z((pp>@iR~ zN>Yx1rwg3Vi@FN>ex&u&I6UmC8Bmi5%qM2W)c`Q1IWN+Q11Ruf@#tqoyM6=yH{-(~ zzR*Ah7dkC6S?(clu6lTUP(~ni`RzsX-2bCr|HZGAB?j=id}b1SrNGsVUS_2LyB_4C zhQ9-%dK_^l?K$z}AW#i{15sZh2%;n8RJi|2$gW79440|fUsW`iii09m^#lkC$~^l(fDlNO;wP0b6`Y$ z{Ui`}X?87O{ul8EG()~rbc}1f9cu2ruhS)M@#qu71A-RhC#R!gi(pVVpN!G+GCve6 z{1^bT$NuYHIUDir)$CvQ%J_>2?_O8j9ArDyxF7qaW|kgA+~F67ooqIVvoupuRZ9D` zTOQb+fMhv6l~fJbONtnHJGu|mP!pVt{Vc@3oQ&k~p7$9&;9`D>Lz`E$FiA8)&}9d? zZD-DnPv^Ws>wk$?<|*@_Tqvk&^Z|{w*0u78YQ(hh_>lt_cG%E&NK>(j_P0ipT%Hkn~?V*V6{-0Yy1kj$F%M~`H z5ujgG{cWWoQ6JE?fCn*v%2QP$vS*AIJ9PI{n(zp4OYYe$<@7+|YrG{5HJKhYnNH{- z!3#`Z+;sZ(_$VCF)o88aECGjOC}qj`EtB6`kg;t!PvCdq}r#EcNEe@+AtUzq0)N&vG`~3Q_9DPVWYe zZP)rGNRX4H)M#@yYLyTq4`5l9 z{SW?pcqhw_!zwQ+ik(FFv9MBtwZ-1(qE8ISca*kIQXTj1?cQBYWzP^fMZKT5ty{5s zbyRS%Q}E#kE=F?r2j9Tj><*ynUF?WQ!?5!+d)Me&ew|4YV2Wx&?iXwPbhtl%-gb%M z08hjGkLiqqAOrp&@;mSG5t%>Jhrd&n`R7jp)ppe2d*qZ16n97F`o`~}ryba)t^A0Y zpRL@#IAWjsP~^B-?z` z`RC&g^QSKfIQ+nNh|i)Qk3;GSJLExffRAGEFtHb3WXVrL@1B1ZTT)iRDU)xz1EjPl zE}NMN!Tn=~&z22eU;q7wo{}L|T%6+M(42J!HBCTPcj`cKTtxPn$8on*dDBJt%xw-} zfkV^TEc)Mk`-@(S2-PXSgX+J_&ux9e9E9IHZ>~S+67nBw|42qx@CO_+EM*J^e zL47|(0AbC;@BYEJ=|{hV>(4*W{knrsZ(KP1lLpmyg#b)>DVR}^^g_9WW5RqI$$2@= zDv8ky9-4GWXTqm_DtjH)08(e{fbMhNjY3zK={y+OtZRl|hPu^sUX%NztCuVm&rIss!_AM~ z3z~v1ZVrFk5g;d$n=BG2O-}HZm7|sKjTVUBs99~>HD-_zz29ito^(WXYJ2OqhnVqF71v>!Vl#{gGy{I> z?A7M2D#k(-Gq}$wHAG-3q!Q`f=$@ewB?4b1uiPt*T(}ob3$7qKsr^p2L)cL zYJ#*voV;NbfT+~iaNkUcL4vuT-cwubhV#N=YoIA;J0S){(y41Rj0_wF0yN+K{Cwjh z9$%yQNr4U;*~rc4B0)OJ;^Dd=X-`gPF+Z_CHPOs~ib5{@P`!*P2y%x9L5REuT3VR^ zu0W>dMad~<2=a}QEP?gcAWO@-&&ShJI;RIHt#yeZmWKeGv}V74kGYm|!;-lc7!ye~ zuS($7IFD9GHEOH*$ayJqag1205FjSi3YGh+wLq2IRpo^SJ9))Gt=resE0(=xbixF6 z`+ftDSGx3R6@FI1t!OR+d9$`LpJ2xFuX#>pPYFq;F#~BcU3=vw~^wU&3i8 z0NyJuf@T><188-iRnXm47B}Dp6Ml`_uK&e|g*cql`a!~--!H^~V@TK47E88z;^F z2vcbZk;q+ob=%?s}NTg@3)L%va{*f5sv7KCI+oL8bt#dSE%1iUdlm>Qw`)I@^Fv9XC(U=COpfg2;36 z7)Qg`O{5ZSbUCIvzHm0epihKEnggk(33k)&a1A@c;)m81YU&ZJ}n{! z@xnWSI)xL$wJsbjp{Y1jGd|LDkfB;!tUX8kfKba50Sb8@RcOJ%G?OqW)itE|FlCU< zb-f9;?MG_<<8|IozJ~rld?hH!`u?gq0hISrG=>yPHE;t`BQSetoe_N>BjHK)JiLq- z{epKi;i&g>Xi&&x(zISxxslno!U;w#)0geMfQO4j?& zutkVA76e3N5=>%B)vXfYH01A(42Butc`WR?3GPL_g2jm(k@n}%+xMRrugct+ zgfRk-q#yQZ2!UJl?I1-ApF?sfpzF={)b;U}#nE&>%T;;bH^0^#){aeJQX{6i(jW#3 zB^h5$$5GSe<5O2!4T1uV@`z%7B`#*4fYR0CAjko&*PkK@nA|q79G;Zxe{!p$b^6WA z*vwqZlmLnc)ClU|SMToM5SeHlFDIr83z#&=->{`$tpLgYya5;D0Hy%?+qtY1DTd<~ z8P_qz=3gg>o;4B4rWG|k3YZi+eFu}^-3z~Hx&`R((iz~IBeYVbp%;@FCx9#kj)ZW3 zO-R&r7@6R-OySki2dxi~%V2nso~wi4S1daM+9O{X#}Lo;>EU68A|?=$GwZu{+g#As zWUqP<(PrWPj{@4u$}NeJ_i5n86w)71J|5lX&Xe>>lp>5!ZXLD{oN?UITG8szUu)xx zVZ0g0lT>flZD71;XJIrIVLfvZIt|bT1ff~@00a`40VoMKdvA{v{lO7m4(sd-#jyfx z5mzzE1Y?y$@EPiR{$6ir>_@pn;fx!a)&$8XBMtDEIEek_`q)3Iq=B+lJYITJ9pfLW zP#>`Qo6qkdkLR=AiAYvu-LJW0pJ zD1W(@NEp!4MG1?hsU^=BDuy76ra&i~JHNMh#v3X zNY4_gR3V5gX3hwBhi3fZIJxN_Tgxx~tPHJpZv0luo!~g_Oh2{RD8D+PA#S%pX{E`O za7p+q1xUNiC(Fcc0!}MMZRWm`DxWa&_ZJ2OC*=@#&fxR|pGbwPa@vWwDUnJ=*Fx8; z)wNDaVN15s1S5(4Xb z{Y-ZvrfZXEQuM&#GWp{QK?ncV(%#M4>u)yqjk6z(v5;8hJ!a5cIF?Z~eisTID`2mD z6L^JdTdHN&l5h?g4sVL$B^^8vJ`1Vhw>&E_X1_du+DS7mX(p z!_>tGclCZ4$7xpQJ_56{vllU06q8zp$MbvQLf1zKWrfa~W2?fNV0#JkTXnueSXO?uprIr?P&zPV(@1eZburMmAP&Y+Yw`|b6 z1S>o|Ty1v?Pc&DmKw<#3d*RV$0#F@7prNoVnI{{c+z6g%D!6v9Yv?GllCai}m=(!K zg4NGHjYQPyz@@Z#Afqm{J)0nU_nTUEw-$B7T0YWcRoQvy91n=Q3Uv#Ix;-ANj|KU^ zk5!XUYh41+!BN5z|GG@Mv6f~4*-4_9#Dr2f!a)^E5-^fUlKi__@t@`x0!k>Z`OT|I zLBg}n$lqF8hw`t5)L$#&pD;1HdMBLAffodIPYNnfyt+PJK+hAUvhl9CC|ww5jQBXj zv_&`IFU~}ozaJOwK+%tb$*?kX>oFYbkf7=4*BwX>_!I$rpe3_EvsultM2qLLpS_US zk#)Fed*bD?-T+V4{*Z8q2%|PBRc~I!9h+E2IWW~vPW>o-!)?eT)ub5_u=w=5>ynsUZb6|w{w zGrSWgy&co6S#0Eqv|FFqDKpxczUSN#OTP{w!x*$FLZc8d{&KU#y0Z?4imzI90!|PQ zhR1knXNz0r$q||7A>?DcITtZ1K4z0s_OV9SeQ_eu6gbeeR~#1>^;OEqBzz8vi^lv0 zicYl=tjF9en>yp}Z4A$G;J}+MivQ7=SP)H7%wblY49j2yujb3Fn|Uy;5{cHZ#(My1 z@9eo$LTQ$vdzMONO9j;j!!J_zt|x%%ghsrSBb11R+hsDh5pf(hmk{h$ zJ6LHS3!=OiZ)kcwFv;Z!TWA4m2AE55b_U&v&6bM2R)yN)CpJ5vzn4w#u9$Mx4FxG8 zpsEmF0r6W}C?%6wHC|2k)-mVp37+?Q!sYY&Ba7$Li=sz#LtBXVSIhTOHOGVz6ZWxG z$}6-`5DQ?2s{^r6JN__c<$9_G?AfcU2h79AOb%CWZkA`*ch=}lfH_L?U+oaK5)f%g zWWL#|PWf0Nv!Pz7@lctSaNT_1_#!y~kg{Th$B^vs82_(U0dD%0_Rw*uHFGEkCijAi z5yVTWp-Bm1OkD}Wlglb=Jh{A$0jOL9mDY_M%VFM>Kt9gcjH@8( zj38^up~a|`kV5N-TVRVS(%W(f+Po!>^|{TgDI?Ww`4RBo&Wb}U%p=d*1s=^0C;Hc0 zZfZ$K^NXstA=a@&ChtA*OvP?Te$ z3vv-aJyAo6kApjj4L4B6wKJP_<;$oAx+OQfF0)znb0DV#H>WzBB2+Sa9blI+tT>1< zC(s&hi)WUQu%+*ZG8xVI76)`%HTFmuAr|iV?un!PdW={VkTU};Z-V5wy!ZP(3TzTr z&0NY`1%?m;brCVubSiV%Ce9Hy1BRMHxEWx{~>9mj)gxWp`gQeuK29Kj6$$^($*;Yfoi z03!g%u8TCcu_rqwsw9R!#OumDslU21q3+acR@d*Xy5q3MsEwTMA-lVSBh&uc%v&z@ zefIUYW!o|C^N0L0aO+8p9J`l$dc;|HO83>5uNr=E`q}zGd;Zu@ zY~LSdizbU^!COjCm^J*A>ku+99!qi?u|Fx7I zE&s8U=!1#S6GgnGWL#BH?Gs=-{QATsg?;+<)r5w{;nIhb^PXdE*eMr%^cveKdtT;q z6=0V8DSz6&p)QW}+Jmm@baxwSlQyvG)0@|klG1JdKZ>%jbpt&AF89QFMlP1jn4+rh zVDgnWL&x4s-AV1sRcCumo))tkquyB~wyl-k2fte1{&w5>{UI4|t)%6Ep72w_1m}MV zWlWy-UqadA{vSd~&}J(>N=n8lOA?-CXSB=FXU87JVh=sZw7uK|7oL7f zgPpEsy8;B9xn%4fsvzJ0w&`7uF~mTOE&&uLDC2}v8Mq7gMiqC z(%Xm-b99KXY%FPq6!FJ>lDQVUS*buN3i9u5{CQH;6#6GwW<;&?3Ca$_GdAA-pJ>JX zj6VR=++xzc+W22s`9H}=lY!+43IEq75&?+-Xu!jNH$2G*Sv@)NB=Iq+oQ*D;YXAk~ z(T@>WC>s3#NFt+rkhvb7Bv#S>C5bs=E|V$M)fF=Z(#nU+c#=4$ihK&v0=0OW{!0=o zX%}-VP5OED%Zx2ns?7y?sYmF9t?J=grr20v!i`v3^+Yokp}J_zVq9t|I^zJ{?c;yw zba1&B&2raJAHPc$u$L#{g_=J!Gd9Xje{_7M+S%kbsf{ED|GYKN;9I1T{7r_L<#b+5 zHN9Y~lz^F^);Zl=c6LiHylij6!N~exryCCtKQSx%2oS*hx3P3WS(*6LQHq=_y&thj zFrv2-J=Nvkb5kvE&S=HQG=6+xk27VLdEb2Uz2e>wMQ? z)7sIyvE_L$=eW`EcxMB=sPKPt+)C7+*m*oez zY~7*7Zj>A-8&&oQwlWm!)0UI{$b%37fJYf1!KFk?=vCmgzMXeK3l5_#1mgrc3jFW# znYmh>VSl)18k+&iOUz}6Z;9#n+OC$_S$V4h?c+>U)$rq<$CWjy&3pxQqJj)we^wsd z=YH0+N33&W9=_lrpm8B%?TZ+EEL`&Q=pCGsg4|#SI+$$%hQ~ESaCH_BI|L* z3tVjuaX~d_Qi0b$D+xw_k>SXjf01F!*(gWG8FQD9?+>QQ^AcK^&qt~ep>E$MJLV!c z##}ryY!O9i)Kz`|;VlGhTXC0=gGFoq-$~CX=hCghwjW*sg^0mqVd#$|Yp326G4F<~ z5tYtznqT+NYMVg@B!QkQY2Z((AHVkSr4Y|06v+mo=s&gd=BXlxo>-^?s2|5H^4GkH zB^Aif6w*T$2n?BDJr}-P?KvfWU~p&Vdi8e$5D+XlCh^9p`D)H!$eQD3p`6~D)$**! z`+H;}8a}f0gwjNf)6&DC(q8@N#M_A;8QTyFv3}q8$37bR!IZDXS>l>Oe^ejsc;4{8 zepd3W?txW_VW`xT61t~y%PROUK;jnnm!act5=C-*;L$thG47?L?>F+Ne0>}Jzmo(o z=KE78co(7EVeR77e-xk&rm<2ltD@b1Eiuxl>aA>Ze|S3do=`pSelfnx z#r4?o!gm_H+WYFNU$-;BHXxWDTPyo|IbjqklZErXywipWAA;WeR;46259SG--wU$| z*t}Rrq;fj*=$c&N2v$DvaGu7+IC7Df2$iYNjQ9rIMHJ8A+!03MlcZvtWaMghhGm!~ zQcFJXo->}1)sr@ACCZgRL)&xtP!-YaQE=L7#$rw;!Q|}Vw2fCww_DT%-G3+3<^aY; zp3z|=R^g?F4n#Acs5cTz4TyokEM*ZzQI&9k6k1eRP;E1>=M0F~PIxzK_n z)`aKhkR9lGneI%9)sq+Z{sb)KO_5Y()rTw<-1nwoXFTJN{;3@&BVzo;1ui>)pL8su zE-aP=Gf(`GN{;~Kz(|D_H$4|QxyLd5J7>{XOw&(^zciXqzft`$##MNhY~cCFm0!&z zbyi&}lWc0vx98L-wq&ugno3A!-e$ncQKCkc^~PHZ+dOBdlRPLKjY=r9<%Bz*3!IgDE9PRiu?hTyldfQJ>p};1LF(2LA_18wJPwB~sH)Nb?Di=PkhrI@=#+{Tqgb zV5&ln$~;}__EWSCU?f?`#RtiJ04sm6X6npAO3*w;W3=7*#j=@mg~aldt5cI}nx92! z$Cmqbm$YM+=)uYY^f0ZlE?Q;BHfVK?SoN)ZKjo>k|F^hm%Y$F_Nh1VS*JvTpAm5NJ zE$2_^?y!}`M$O+b`D;Cqeo17DC3b74Amx)Vy4Wb%KR%srHBP;i!vv1ZSMCRyjCa1j zb#2i%B75)jnR~{DQMy}zkt=ROI-MZ+8;QMA&A^+)4W#e%>sV)09~| z%q|(VbG)w|cCT3vcyw9#>&C;@?9mRr820f6%QtV?nUMjid(S$9Qy;g?HTdInW2i0$ zOan#BFGh`S^}hR{ZQph8&DR#M&XL=(9^rD(;0$V52bzGLlC+ZZ>C0^L@mr=xYmp`J z#{&!@wBMbbKXI!>lf=TIU*n-Ksl2XN^khOFl`?2~(K}M?+xxoT6=+dMbL(YjMv`7r zV6X&f@fzaPkNx+_K5+)VuSDkY(*rp5aRAiS8bPTlDx}ioRjUP(&gS5Yrbu|ig)6Tv z9m1mBE;U5_)zIA{8pt)ZAU_rnd`Z!UhDhgX(-F!7ilc`77Mu9S!o0i45-cD(bG z;1;6A1oy^=dFgn@#>GGO^lYcqX^0~U37|k+$MC5>B8NvEd{OySoST!`H|Ns;8@G`IW6$paxz+?3*wjZ=@t$kS07^(~fEqG9 z8PB}bK`H&?X?;~fHlbeVJj>en6c(#Qi6M2gW?cSB3K#*5$4fjc0p$_dstpo#Wt8th z2bXlvw((pViEq$OyIM1)3#K^Lefrzf?c-P)`!I)ET*Md6^vpZ~6O?>Tc;YLUxa-A~ zd=Uu_Z*CJbM!G3T-eo;I<=c49G0MYoC&)Xr6Z}`QII$*ggdSP{-FXx=6|=UKYq|j*TD=fgz3CgTjtL zdb>}YuF>jW_q9Z%MDUD2?D2oEOwN<&aq6?nKW4DZ54}=p1*Uu~34UPyl>A23m~|wd zDU0BNOVW4Af@-vAqhvw3XMtd_QqQ9EMJK%_KQVa#s~^zTw25-O%r%n^GTZSltHVN{ zQ<9ZnoSPff@;yw;1z%of#$XcikA8UTU|%Au{!UBcY?BnM!$zLwH2WnFx27f^^FMI6JV=@F`zFy*VRrmb{}5me*H zr2sHEgaIzeUJhU+<~d?2Hrr(8NP=;=vj>Dd)N30u`M~_cYA7P!wGL5 z7e2?5liex%MsI4SsdY>s6~U9XWh-e+=!HA2GQa;SN54Artem6fc0lZX$Dv?#eIR69znc9FGUJVLx>b4)gSiJMCGEy+GB;8yHg4+INZoG)Az4Ai zL>6f9a|ys-6UX`Zy{_d&O)PTKZ;z6kn(-z~Mu!83d3h9KY?4p#TcO&@`BNgdfis!Je;xJnju6|Dw(ogvi!FKW?TpZ6RuYI z#oS;j66e!WjBYV7fVpB?W-nWwzX3+6c18tsTG+K(b$1rpfu(T(XV-^sR| zV}}}pmuW6!rxNX}l;mOE{vicb#(D6_7X*sQ%}OL4YQLI2!sBdy-YpE~vb7>eJts{+ z@0jjx$$Zl?_p2pWu{W=qHyV2s}MOr4W974-<>I-vGgeCAWI2usw1WkzG0 za4l3KBrA5{d<57nxeYJi9vWCYJ$n&K(|ttJ-9UnT+}5|JDw#H#uZt)y*X{4M>sKY| z`Drkug9CUXhQ^lr?_IW_g-KjZuxjt|^VwLEs9{Rd0qWl%aYQErD=GUFo?$0(ym#R! zl%^6uh6;DrvmnzLx@nj6>k-gRD9ETYcx1A>?@j-Y_!@z)nwL z1u{p9uHUD=e^ROkJfB>0y&7HJ53(t|}z4@dt7`5}7$v+WoV`T2NU zSh%~vpdDi{AuK#`oIF8XG_hF@@`b~8qDK{2hDw!sDtssZxZJ9)ouuBvn4Gt$PxmyC zP9a#w4W|j#lfiPFK>S8F*50>YPUTp!J-A@Hv0(1A&;+~?&VU`{q$EB?t5#!yUMVn^ z%jOt^$qnB)>G0^xlA2x8*?TNgN59APM8=~KQ=CPFn)9=AMTFgy(_eZ_>LUeGwzmben^|mt6t0Is~cn#5p{}i873WOAGibvyRM%^m*hkBiR5-WV|y4 z>4s2@p|M;;f#?E1&)fRslZOI3)p;M{>hJ33`?)euTL1hYjC98+IkDFo5bc_1dp}@!B)4-5wItUoAAhu_x0Dpi`I| z0<2E?G*iZ=o`pg%buKM+@kh#BOTo1GA1IIK208v%gdIn5O8Im7LY*7zD*q+^Ve*b7 zZgt5IP^P>Yn7S!3yvg*Y&SHu{n{3O#Xp2VzfwwK8tB z;mS&w%SLXRbN>nKaepMJjCFH$X0=>-ZKH0pxOd09?pBTHnnHGCxL@mNKqoVH*syRa z3A3AY3F=}qCb68pj-BRz-!+`FIH5HC!-(LQs2CoRdKKQi5vwzDrxc044q z!5RzIvmn&M!tAI0s=p<(bj=SX;ylJz?^ACY)NkG_;tY*9Z}k5kQ*Ytbbil`LuVHj| z43I{;Lq~TbQsNMhMo^T-(G3G>5Jxu-1SEB&w6uVLw6p^eR21Lc_x-%*dH#j%?EHQ^ zpX+;F#oM$d+l*8@wq4|Ng=2?mAa7)>HRsA%c%S3D%~SklpYaz7jvo*4> z*cq*S?HcSo-oYh*3E6?>+#)lzAx*}^6w-{Ri6n!zWpesdYAgHDcOGkO?_kPuBkgD88NlU z@a&+{P2-ML&)C)zuI@(-Um^b6)$g`<9RXi_Pc}`qcTEmKQhNsuJA4F)X1qgx%Juwv z%A-u*qZGCAmP6YBG*mAhYN`kN$hEXm>049c_G+!`W$JP9y@U0}?YirOjR@f{C&$c> zPB$ZjjsDTRr2-vKfV$UQGaS#vA~wZ~fBZPv{F(Z3jc_LQ$b^}2wC_b&skC#tL_JEI zxczE119VDDeX`VWuJ`wzkm5=(0N?`itUX5Y&n_a2Rpc%Pkfc9kNf zPUOi1{HW8A1i?x_lJ`1`T2@{kr+goM)uQ@D_wC@x>vNqi>%{nS(4*7P_vDBvz~^;X z;`L$Xh5B@KksXkX3x4!*+`7vbv=Z@A8ndGl@%4hPq z7gvmIdSF1z)%T^73sA|yn(qOCRue@7mLg*lL*tMdapas#vNTc;QrQaIJje+*R)_rd z>+|8v()aW-7V0xr@}!GKviS5HRavRZ$(032^H^fF)e*WSzw>43t@d=i7wbFxoMyDm zUugFPm!V-38GKUJ*0DhY$YMk=1s7aH(mMswPFkSG(!XKX2IE)uGXoEF!P_ze0)AyW z59dkzeb-W%`E8_R!E&r+{JKymBFliBp$n-m30S6W6sr3Msnu8bw+3 z6fG(%p6KyeT-FT1yOM}#Ge$B{zt(%tp?=2i(ad*0E%aA`RDO3Qs7U$Sj}(&grs;Cs zo6edAt9!2ArgGd$8y&ULe2$cMsp`dHOMLBCRnJTb0W__itV0oAh=4(#wwOIiLFEjc zQ7?scYtNDP_nB|vAbP%|`oJ3@%>v5X1>GVQZeU1K>1zC~P>ok=3+Q=-*sQ_D|2 zsHL!;A{%5hmEw79n)s9j5gKzMS&vPK#@X&RKU>I1*z? z5IG2AbAutjJS%PVP~7rB^JdrgheZ>e45mg>{iR8&4mRG?<4mqDGFA$d03NhsOu3BW zEpv-ji93;hQYDn@tMN$#7{r_ztV!KOvn*zlN|Q?c9A-gQsvM zgN6zDw-&%O6*K769RvycWSLD5=LsLeSbDQq0FEu6(&T)R*@bO!2ry?(8l)1gmi<06 zU^qf1D)t6Mbtv010BWsI*dB9!A%)k|kOaq%iwgLXSheawr(2@{_7WHZP$*G@%Eqx_ z`{}f~{cGmM18J)Qpe zO1~%7LQp63jZ=ndtB#|iRc;$O()>`Q0;KFgJS+<}k@3hIYi>M`?S}>*z+bn-?FO{Q2mw})9ZAH*;lOpy5;MG2wbj%H3b39YYhC=y7u)O17= z!nMG(89{M(7}hDGWH%Af*LWu42S;n3g@t;qQ@AQ>f=AakfxI3`hR+@+e_AP(=AD*R ztC5Uo?TcbWU=kHZW3m;-owkEWk#CStq^kGbT>Xgfb9(bBx=wi13=)kW$8-oO{njyInw2?+OKG}j-)!m&Bb-jn_?(?tm zjYlm4gGMcly8rM?kehw{!~n=JZqbxL0^zh!%66s3g zQ!{T9CztNJ2;^HpX{YHPE6R1Z+>MG=9dmo6n)n8Ir^3_Rz&JYg~Xk@0fC%8 zTArV4q;gY|0#g@cL+cH`fuV~78rkg?e$JGyJ(qSbK6Shv7jyk9hOkX#EUC3DI zGxnkDJR63%)KoM-7lQ0bRDhRtv-9&-wryZ$R($TNbLIq@>5&DhmwFA!V#E&4zjz$^ z+o(KFJ!1{3s0nRhJY{U0ic)pQM~N&BP|Hs{_UvxJZkv4v7tv0~$4%E5vNh7m8_ai! zF>~Zp)IZT@LyeMQ3hU|B9?&QqDBxkT{=36Oi=dYzyfhSD^efxt6zb&$^7xeFgJ}k-nwSw`jR~%fAN!*YsOV zHy2}Ik~R8-mmqG;9_+O!!E2}4V))v}m*kop6)2!ILUDq(&F@~+N)kelSI?EoetWa9mQEJ60i64*qw zqshvEbWWS|H%(XW0Avv@N01_)Jf5`T6@K4@Il&`1_>{(bsgdpmST@2e8tj4qhb?L| zPa2;E6ml#G=OP+!CZbgkC7^JO(!}?5(2l3E5I~^~)04!imL!)h2L0Xl%J`fsVPj7X z)j3ncx$miKgD6C5&G)Vk(iZRzRjw0nPk55=d2cf9adj-|7M~qAT>k}-BO!F<@=tDT z0~ep~J~I2GlJ=ZAe;AhQYIC>t9+o`3H}NZAlm7Kj$`n#n`t)9bZna;%yz79OFd%FM zGxa3;-Rf)kjvw||5NrG?mOSr&(dzZlAAzr!ClmjE8y8@|Y@OqqqA&LQ;>^6?&m6sx z+ZaG1!F8ZO6Lqt!o3e--mou0Cf2ac`2-XrKswl3h19DaD-2c z5PZu+19}TxPV}WUTtz;$lvDg1BRHq5YSZ`eO4Z%(8pb0FlMjm0JpaR5d% zQ1L2K)Qm_a{#T8rsHKF%Gc7_L>Y`tf{ZEYsuKg9Iilw7lVSAv`%P=m+C)%#1qNq40 zUjF92a=E6mLnq0Lq`_#M+Ml+*vwpB-EW;GQie-SPK+{sy(#ra;0u2+(OpLn_*&IKG zfW!Z=Ic%hqL{R4cSkP$Hl|%-e>HD8s_Wzrycb(;fIcwjo@BKTbuA&7Vn(hA&f`b4{ z6d*MIXi5i_t81Z2u75^4hxHK|9Q08X1ybZ;R`h=u9OPR$f})!w`jr8Z!2!F2{>$JH zn*7Vf0OZma(Tx|HEtiG2f77e#l=ZTSDSMP@_9qVx^s9TSM6w4F*%Tn-dUW}yE;&N$ zK17Fh6hMP&`hU0^;J1AraF%WD#46g4~!cdGbs5TeNw8uP= zx6bOHe$W{otwsLT3PNB^fT1FJ%nP@`oa zB4mR${T$O%tH)pfa<>DJla4L2H(NN|M%%0Jor$c3YPMO8kY7a`+Qf_`%=V)J{}+Ft zAmR_H0QdicKgePP)00$T96}s-*Q4EMZOYdzk_xkfG#4 zvswU86%kQJAn_^sZv>2u6`vdo>_=7!+~7jP$ZiA(WtQk=h?oK3Gd-1Yrj-B zPiz(_#pq?-ZLsS}Vq_<_Ftl99lE`A~eC%VXtZ-+FgVbmoywca<<2Q&Rt*cC6QrUgS_c7`fxM!I*#aH z>JFyv7olc{g|xUo!mXx1Q@`Cx{V@Jq7fJH0RAgnbf#Z#(0s z&$`e4t6bu6&yHvnZok9JY%zR4mce?jJk~_3!zs(kVn2tTyN!{kTnb=~Nq{h7bRA$)Ig5TM8qIc(KrsEmIQBJXp zT-(!v@?>cSc3AQQ0in{zXSw#i%)dX>mGyM8duKT+OMR;t5vY63O;j+ZMXYyol*v5= zc$eX?OR`De0yHQMZbllk7FWs7rOJphYYulT7>u>2ChYxo`Cw+p^0okM@5^6$!$1;6+ACgY*=4RZS3?(Gy&~Y)?=&jy(J- zvMjY>E#VooX&ZRF^XdMhPJP731qYb|PcN#f&(3!YqgDijh*eT8Q;IL=Wfwk-&vzFJ z8cRE7e6KETxM^#;dmsCFv!K`!7X`JHub+9z)H1zaQ`j{k*aWlmsxk=((Io7XMy22B zE};V1#e!hv^RF1n(;B>~?{dCbov)Q`KGQ#l8v1S5O!(3DtG()0O>dms=GQ3N99+=r zS!1wD{B7l<*KQTg{ho7?l#nGHTD}~u92J0oMeW32)3|(sL_SrNaH4VT{yZS*QYKHA zNfRN%Rs!FWV*h;P$8qnJ<2vW7%you|L>+tr@WCC=&P1ZF3*v1o_%1~v>lwwEGMCft za!Vqz0r39C{fSb&SF|V7YLY)4SE5}VoUEx95u38^CM=zm>=LpDNc1v7EWrR~%c=8hMcJCfxrY<3zMFT=wG5rQxk?}ayZzsCfbQj}WE(3o3< z5>w*G)6cz}r3g2!p0974(DoRTR4emaW zC-vW{kW*#1n`(QKZlc!k9Gwp_uV3htV|mCdv3`5$_YI{By3G@1S^J71Dh z$QUlN(5ULsv+`&EScq-zZpc3D$B!+C?{zEBEYtim?Fr|TDqvCm!iJrU2%V@cuR9fg~h^l z#*Fv-E+buc${M9vyVI$KR`J{}Baofu?}Z=xPxB`z%($H&7vx{p$_X>@IJ91R)|HD@ z+<3ZzkPXGiML%}`8@8!l*fvExrARr%`#{l43(oI8wsWd_0ORCl6*vynnGHslrx8qv(t(C3kuyyvk zh3?#cY#Qs@QUwNPe~x&;GWHl47IO3i=2Q-qMrUBbPs-N76Xu9PtG8d<;9PJ@79gGV zG5E&yR~^6yx0#L=5hAms|1K&PyB}^L5?^g_n)t2sF$L(u>AP<`as7?*A+?8qsc|Nf zps^SQ9iEd6Q*R}0sFNfy}|Ar-%xl zxLK8+mt__`bF|mPcRwYA^5O-4(mUFRiUq+g@6M@xGnaYakQ0cVIM<1ZVBLPJOXHPP z_V(*Hj=w_je4N2mfqdEFCjFs}3to=ureC#9>jsHd0?9H|gtQv~65zVi7wRUjR?ZU! znv2xsH6HwQL*rbBmtMH9kKevuPLL*Cf6Ad)&TfW@IyhIUpiF6Qi}5@%I{A*fxF6~g z1^pcZHIED}U8n3cw=iWCpVz!G<${#uHOtd++FQ86yC-F(q4<*-QV)@s%q1znQAAt> zj6=~+cdX{92XW*)m$v_y(Z;TPhs@6v_d;TI)O_6`D~vG#2@$3b?EIqG`S0*- z`Ds`EG|V6Jpxb;FBcyH~70a6I&v+i}zyfg;0uqsg2!ZHR!gE)>Xy{(Nc3!mhaNO)x z+?!m}K^N$yAI;s$2i7_4A+6yZo7`WD`VkynB>7J~p`;{y!pN zzs0bMIc1|SWF!AednQ_Ng1XFeT{KP zW7uC{AR}t4+Z=;&VQCs^{(*{pk0FA%sDl472snq##SA=)yYGziXv{O$fEc-i%<%-M zVPvRq78y+cMLX>a>HX}tk?ihBpu3-nWuN2iR-V@W;M*Pn8u@8W7-;4cdC6dwMVzv` zfUl>bnXY@x9eDiR{OrJ=fl|SFE=yo{K#ofyOeQ~%bRXgtoO4&ktv<%UFC#x+-|YqC zqY1$*$DjWRSx)=qF3_Os9xDT0YM?3lr%=J6CMJfPM>QMTN%iT zNF&>Hp3GaOI*b(d{wnMh&Oh4E%T&tmeNZ%{ukKS(G?D+xuZcN7p9DdGzao%NOWH~2 zQ7tG$*Cjq|VYDpBQ~m{{5|=dEt^u^}159mvOkR*3*5sv*6rU>PBMSW8F)n<{$;EG9 zQQ=`Cou#4$rNW*7IV{Z|TQCd{gPVgLgGgT?3*J`;8nIIUZO#4B8Sk3W$BfTu1{cxr9$I?6XL1GXeL-pjLtaTKx@Tqp6j^lQ4NT?sr08 zp-J1x&@j*Yry{;4ExDYoufMTS(Jfz>uMAdGSnJuf#>@|8PZ>0T?He4bYv3vw(w>zo z2Mue>4J?LDY{;f&$tL50(^;chh+F97mtL;yLQ$-X)auwb=@+&bT!Az&Km-bGszNIL zv+5to)4PV+E^RM8x1P_tNv1PJ#y~+OH0j2%R(E78d_rq%4RDW>8%jgd^7(15YDxo> zE16Yl8C9CXRhoQg>ZHw}abp<>W~$;lGItHRi?ubrlj&uWro(1c8`0T%0FXCLcZ0v@ zV*G=bp*Vl`&VK2h{HGAuHJThgO(Wh}8ff3hT-Zb(+9ELpLm3_caT`=2w2El3)n7(I0TDNCIGy!r3pY#-4cQZF$ntV-8+elSm&u;<(D-#u%} z?+|D(G4sso_mXoY#Ey*$K~pQw(8?z9yAZ@V@7s- zU?=OXbHFI5N!7o3%nr_c(C=K-uNc;^dQZuF?aXwb>C=4Ur3+2O~**rU|(nV3B68O&4BL(HMhoMMiG8%V++ z?~D5J-a|PlLxbHTjt|E3jz-4ERd_AHi2qc-f#Dp3J!26au=+*e=C^+u?->p+T8tI= zb9mk6eDSJ!Edyf={jpuZaD5Q*Bric|Djr&l5TG3!XLNfnKKn+~` z547G=bdb+Trs2=TeY1$oBS5?Abhs>cOu4*{drlg~xa;`jMOgnu%E!T!k2mfC@`{87 zkFQ7act;>WkS~@r&b}{Eg*{}v9dGcSjC0UMZ;(@InEE)~hLv=SgNhg8jvci9IxcYC zG=1pZKTI(*=Z^rW8Jiqb0P^z%q@vEeDSQo;FFS(29xK|;3Y_Ve^Xe8^t7c77< zyI2aikAiP|-?h+r_${Mtwrtv8bX*}!o!fYv+h;_;XU5WaG1_N7K2`X^=FDdTliwsMn+3q?g151 z113=rkqstag8#B?_wqv5@-pSTP59y_99|6)9T3{8kM$me1nOxUryb@vb zzOTUKClX}M7^#CJwG-3cw=xuXc9)0YwyJ<5Yr~sQ;See$QAhQ8{qO3=>Z&poNQ|%; zG493F(wt$lWOcX}G}0=LB(VWJq}2mma;D44Sfty{eLoGwlUS;h=PiydH*kLBGoG=& zxkmABy)7J!KtP}e$uEXRd5V^NCnr26KCfZ7jn+t*{l5HU8dkXX@Y?da&vd{UFd19# zGbAg%Xim9H*0>ejLnc58VjiE!P?LI+z0|;wo}0SBSF~S>l1z((mZ3nG>!kc#!{%w5 z0#9o)Swi&SCf#=W##t;o)TGO6(ANgI^m8-0^meVzLO zWu|2);z`g!yP?cmj$wpks|d^h30mvs|W(* z+h1v4UbevejV0mM%q5hrU1V z3CbZ*^a=;#;9Wjg+3FL*@vg7$X?M@UH^p!FtiDZNpY|%>O$yUcm=Ne`%MIH<5WP)k z75~V3&d+VZdA}LHz)D5?1RYuT$ALmyl>aVKr4R2sFZNv^P23zq-)ptyuW#vTH z@7J~Y*N91c7VM{4EHuAw@!ivBJE3kCmAYYkd7_s7C`JA}X6GlbLVX|oueKI}pFF;6 z`fuzaKvFcYHt`vfN8<&mG(Ri=2+R`m`;F{~4e-rY)oaszv=)i52gEQ9a^t#n^!I4U z_2Hk^-MX}^ZZ>h3kt?}(WFg!iMSDK_sLsoMIdT2>C!%N}+xO>>}S1;WCdDbEU50-gx-D{!+ZL z+4_fkv4B<-QjhAu0!E_EpbfVgJQ?lhBTZjNT>G*}dD}F(+yqH}=9{N&m72t>y{T<5 zXy@30vE~z9jRUgIpbOET5)bmjo}Ms^;M=jMJos0*Ix_fUiiCdA% zcWcd7n!8cFk&in9)!piB@Ud_O(s(#- zN~H;aN|F)kgVJN;1*C6Z5U`CLAg|ImY1P!IX30&O)P)CE7`03HC!!U`4{cFENRfUo z2tots&$|lo6eqR?Xk5>~Xa)de}aJjygC;4cyD*?t?Eh_+Ii3e#( zMOhf6*9Sz93`Owau`nnT2VcBgj@TTXcIxzZ0MZ#u{W-~a z`3{p~5WgYw6cQ}`vziAiJskei!qk*=cI;74fWTb$!tq#wZF)2Bnz&ZeC&ydBL0A#$ z1CM;^nGhTKbn~-aoZBmfYsoym*pipevW=D7urRkQe;u$ZUJdoYl56s(a~-pp0Nqa7 zlk6rkt~a14qur;qu87;SM{iK@o6qXon2!PLg1HrinmR1|W;bKX?xj1G)igRWGX?sG z7?E34mrzQ{owR$_(N>oU6x8#mNBT1Cfip>^OD5NDsa27+_@5t}lt%jchJMxlTFE}z z6^erF(HGrB&bTwLK~m!7sv}eHEt)NlQMmAIL8X=7DgR1u&G}O?+I33eXmCb4=shvR zq<8;_Wabm^tm&)#lDREMH53&|T+dfZvf`eyI}3(E^#06>*f>>+Al`J<;#=#`MAIL1 zA5<$hliHq&2Ee{oLUck$rqsDR{0{^n6O%MmaLrEw~MPc zpCO$m-mv6!rOvOz6sEZ8Jqd~cIc5iX! zn?n+1=(8sNv{uuIlZW3h(uO<7!&3KdMm$i?hMnQy0^J0%Aq3(BN1!HncPIF^SZw!W zSG7sRblS7+Vp!LQ9^{XVht7$gwLurG0c4ciAcLVa z$Rp50kDLs^UDfK$TKVxLM<7NfoKuIlg_7M(Nl;D@T4?k_>DXQ8evr{7R96r~5%u~$ zH$_Ql?KLTYZp{ZAyki!PLUQAI?^TWDfyY1MRkm?Eq6Yl5tWPbtJ>HTN1x!Hpnd>FT zs4lh?GjtO;b#o1q{qpoVR}e@r)6@lw0(U020cRx&%Z5)N3X1p$Fw2(KrhgJe!q`FN zdu5BUgLbG0(zS!)E!vg^L|!Ht86Z-WPi{CxvBm$5{!`qiE>Pw`=uIgpV5ovrf_k#3 z^&Xt!S@i!q9xfBRF7E*k{yQG-kV2Z^G3wDdQ8k{t75X`1P0e8z^P=gI$uK|H?&|4C zumhLWgBGE)2gRx)Vj%$t=^HvZV#b+8!Ogq+U@G4~9kQ;Y7{lE15nxGFb&|125)+ii zZ_hj$N^S76wx)Kz?v9$vf08eskdg1Av_Wm&w*R}YW}3-;>-XN~hHx`^y%?7-&% z9%=6_5IIu{rQb&X{~|E{#0U&R#e^7vsUCa5et)f7DXUtm1etsmro<3yMuqHW*LAA; z$b)8rkz$nQ_VV3h(?FSiC1jZ4=hfjyg{qS9Uem-FO}$GY5aZ_u_6Gi(8H)3d+-xo!gwL) zlzybbxa4Qfgmpy%u4yW0`!xI0ZB`U`5_OpRrZ~(<9*%wSvjc&6E*|v#e%NuaCeSQb zQgMJy0mrl9?qYGlW0H2qn$>kpsrR0cuQGNcUNqdjD!wh>1)qS=Pna{;FA);5R7?XS zNf;=sql2EH5V1jDrL@X3A|t_66?sh0gtLmCvAxQ=;Ky|Ig_OQWZySAjUd)Kpy{@F4sald3>*D4NW!hE0<`N`<_ zM3Ket_CFg*qPL7UVr#u^cJo~e_YFlG>VF;HqrTo1k?if>lqS%caHxv)kxNkc)6lR3 zz%4T%06?{5W$?5u%=I&5c!VW*ad=Bwn7?Yjc}3W1k!78@e@>|q_s@C*;C22hTbMfm)aLEz>JJ4MDR;^z3qTgKTErERBW~c!=)(wgKWRR zg0{~_Au5f){~MX1iWmxXPT6n&_VF*>Uj?WZ{qe&O#ZqJUKwXxALNDPc~U7^U9TAA7puzsgQ6w3G}yBi zU=?jIeQv=Jk&K(4NI+HynwAY)cX2+}SI0u`*Kzc08*xlHi2QNF6qpIj&e9`kcFcR5 z1$Lk90auR$c>rn)L6Yp0a*6Y^I@e!yY98ohVj7B(Dk}LCh6HdlM?Nar;7kvDTMz-2 zL~F_-0z>?e=$oegln#h<1dGyWEbu`gsTSk+K8#+hk263V>m>nEurdU0-z&j~iIGlwv*IHNVpj`EN&3c@BX7yc16Hi{oY0Clz#?$!8&}c7A!w+34X6 z#1JBY3)YogP^%DB2YWwY*#TxENtDf^iSSbOOgL0Q1_|~#ORK5qBYDN zDnJ2$!p$gXTB~(AsUMKrne|}YYVM`Xgm$w{KeYQ^nlo6d)6i=RlzQ`qVs(!NxNfeD ze^k%cbKlOgAZDTTT>4JPb)B~$-=}Al`V7~7Hyuw6B3D7Nyng<_QNfJQkg`bExHzK!CI~3KJsz*LunD^>!91Bj^488DR!c0S`!uGs*9kh zOo>;tH@x2((hn{5i+r$R@Hw~7Q`&2j%GVTJxAuGbE!%-lZv>+lae&B8bUAsP`rC9* zy1Y~0Smf!4=y5^RMTxi`$oj1pY&`Cwd;QouXe-0~+v7R2iqfH6>9buTad1_g^5MYostNc(X~922dm~k={Z6F}XY@s?vw>`Cz0oSZvTlK=e)-?>t^%FN{X`Ug{O!QGGI-h|9A zIzkt18ydnj=nk;Xf5hXs9}WIU2UD&C-;njf)*2eOvs$Q^&PGzxR>~SU?(JFp9EDLn ztQ4hamQBwqxp$|jN=ejHKK||CW`hMvugiF@(+*m)PGVqhA1^qi-0&;4!Tam#+kZ3j zDwR?#j)|0F_iz5rG1XZtD>RkhhqA$By~jzv=3@SWckY=Sx{5X&AA=6XMo!z zzX9kpV5vgxlEZ>zuvKrIPoVuE-DO+VO)p2Qcm<9f&Pzo_t{L)f=2db0lM(&3WlsC= zA6tDodYr_ceB-b~g|sU9v%Wk+R0C#i{R^IspSW!Vx!^E=d zHLBfsOf8N7YR9ueIztoA3XU& ztwESNJN@#yi{%3@%oum}WBftu4}JvEX}zP;zq^V4K!GbeH@#Q~`_ zo~u>vo*8HbS?T(njfFcY@%}3p_p)Nq!cTPk+Meo2YFeYA(^a4@4As0_cncGCuK)cd zNXTbFOEEWA^g~u}5S!0e2skcer%JRfAcEA{;aL^@Bo~~CgkHLZhM+=~gq{;)67T&; z9S9UHp8|DbJwlo&`rOcoAJ7atLED42gCBghD&=UZ0gRH7jKd^_Rgs^VS$}0419%^; zeqc#5k9xABAQdPYpA*tArzfqb*6<F!w+rZ(RPf93w|2quCW~Pv35V7It&N1x<5{Ax@X-i-z6UspzR{+ zj(RgEYOwX_Z=ClF=Rht5JOo2-g(Xo*h=1E2fB7j{F^JR-OKpdUF(h6SOD258glb*d zFbhC&G+{gQXqH^6^kKAqsoeHMNP%AD{Yy}W8OayD$CK-c`nd2f6^}3ZqtYY20M;nk z9f?O(cMWEf;7=r<3MO};lH2o=gA$S>5~3AJA$EAEArj*ti6LfmAi*j2xIo=JW>A8^ zh)k^Y-PDacPiHJ*0qc}hNDvtkP{=|mf+yKvfp6K623b2 z$J)JPChF0mtWs_S`4cd)5!2P4t{jvMV2z0fBt*AE3~VtD7|b04kf=icP@OXI^yYiP z*saze8>LiI(pblerxII$WkrLNA5bRu@C;1OMs;QeZPFiLlp0fR>U6kQu7IX>$Z3o$ zdAY19U$n`SKnDQiYA?N$6r=kq8n1^j#9&;_V8kOjI6NQjkz&98e14Dyx9&udN5#4Lp)pmnYuyx=vOmKnGin?Uijum_}e=ujVG#gdr`_uNe5qL zWmxjMf|51i7$lZj8cY2f59LNeCWZ6U;rSnh^Lx$m#}=8j9tUk+Yp2@($}i5BKB8q= zLs5GFC#!P%7z*bNcEjz)Ha=xtIkmMi|9UgVXvwB^mGQ9NhdUU@H!AIoJWC; ze_u_VkXU3^o0q2a(iI1>RDMa^XTlZCj0qI1$c#C6n9ZmBHF$x9GyftDHE}tAqNA|1 zQF^*d8LIOzDDJ-3o<;qQSN{2BxHF5k{6YdlV5nUAb^ilH^wV;ZnsOkV*vG9-_!Vu^ zStN~xX4OKMuuw=6hMKGdlTXglneq=nykz&^K$LE3S1w4FrVevq-5k9_sNcwt*$|jI z_^L|!Snu??g(Xd37)>(7!Cu*{2(lul2VLsZ~I7y9Nr%FG2^A zN@I$+MZxJw4a)~`Vw8CG08W7+7eZcRTyZs+L{J9?yg%yDi=$Z9uc}clwX_L4vnxG} ztQ7O0^ddeEJwXrm0n2V0*sq+Q=w$<~R7q5*B1G&p9_CW9oBoqFeZ+#DD}!f+U>p!& z=t0x4FxdI9Iw~>w%P3&Avq7{Aa)QlD*Do=|kbjT_$R+>Rpn%MH;a=;VLq$ZkxeiJ$ zc#4}w%)FM3bqia7g+dH|YBc~rjbuk&VF$nu*SdLM^>-RH1_|P83LR7=JAcK*4q;Kj z2q9}+$P=C~HgVfG#G{iHt4Y2rH&7saHT2wMC8M=n+EBM& zx17BE0~>^i9ad*wGii_&*HQF7C<|K9@TjZHVLk6oC&b1MM(iMkr~vE{;Qyfyb6%8L z?GJeE+Siy8)jxY+rHf0t`Vm4G}>_x+4HV;t3QA+-ifzbmU3eLk-QyKbXNY{YaY# z!1ow(eLwUje~*n)DO*^Epo>OM!2Jc9zONmx4{AU#gfCWs#q@KZ6h;4meSe>Ge}seR zb*Y!-7+-a_?J#)&Xq;>yn~mh_D4_jt_$s03)UCk*OKndW0OR3;pBqB_2FMceMFx;$ zI7Ep+&W$P|iXF;CUOS8RtO)yO1oalhJ_U9SUG5C6CPUpf5FCsMKvdtBe1}{SnU>~w z*iqjAU+ch@!1qEVXf|%V|E}>9&~2ldrK!$6zh={;2GxXULlH1HAj`A}oNWeI!j3>N zl=%jjLb8(75vV;O`V|c=k-)&{4Ka<|t^^NF8;*I16>=MKm*5;b{ygjU}Y zaLJe8qp7^ZZpi<-OV&mZLO1d8I7zfaVDf62x<57=wa*mJG3B;%QAEY^BWZ{z%*^c2X~qU6SHZ?o7F$IqZH>KJ+=@OonG+u0Tkc?%6O_`?1<3k z29rMnKfg951($4b%nFVH(lO*DOCyFj5FL`N95HI`9U3qBk;r%0K}%VSYR^LEw2j-f zI1_K22P5_x-nx{>LF(4KkDW{$9eU5TzVp1tjv8)c9 z;qm?ZnJA9%4V^5gZx*nJ7ZC1}EWiPMYQe)Vhje?HF&e9F=e7V}ZxX9R-i+k}+Q+bBtZz!joR>4k`pPTP} zc24~anN+MHr$cN4ym9MfYwNzLO|z-c!up0Hv&r3h5^y4(4hP}}K$h($W6&!mVFM%{ zvx&xJblBB9X0Z76#aA?Qh@@S{(y6p54iAl@|=q z_*(cua{SA`)oswNbqLqaMN2NCX`LutyUf4{+=$R&!v|wh9!I!5 z03wZp;4zz`I7n_07>t@UHG;-WV12B zD*|vyd1QR`NO1D2FxRo>B{>mX(Mvu1BHVu0t=Hz$*&@I1IudxuSm#&;*waCO+}8fm zDj#z@IIeX2w#2s|5#K7PihjS742U}aM@0Zg5Fj7H2z0#vI(!06Y!is%)JZ4M@gJ75 zhU-={e^Es5k0{+NQAoYucwR#F2R@8@BlM`YI;8igZ0l2i#yW!Rn~ZglWSt)2@`tgp z<)9C(EB7W7OYpVPH(kkZso#E1(}O>Nc=ghEhH!uDZV}|L@R#+6N;J1+X9=a>;Luv? z31Of)u^j{W3TMr0Q^Aby7j1|9BgT9c^dQlGOZ&!&fDG}XR=@ojTRs+Ftep4akkb>| zY3=TWHC|9ZSkCpS9OlFz{lr+cse1F$aJQ5Q6Q^|2}LYs}la3 zf^J)H3M-XFr=2v023L9)H7`LK4;t?kpe3ubG>h8P9(BLl7yt|}%Hk9B66joGAZ?1Z z-9$1tIiGWyhxwPAO|TY%mWR2Ln#Adk1LaR5pb7_HZvg zp4!w#(Z6A&>K?+X^v+`i`c%%4JuKi z>ZugXJX+yqZ+8wq2kaI|^!HCvx*JIdI8Qc9vM}$ARx-Ra&au|L$X{sBN$%x?EB$J| zfU*gp&ry;G)vF28ctC}nw>dq#_b@*@CkqNsZ(3}amh9lN9z}lEX%CEV%fXbWqQ-e2 zKv8x)Ac=dE&W50SIewzK6ubS@@B0{}^{~HTWVrVuCZG=#USw8)-U%y|GnT|T>YBhy zZeAN-2wvAjUpgS0o`DX?oR3MkQ7I^QX(xS0-}Ni82Fpt zbIxkD8`bq44B;iHPtk&-@xcQ?ATY8#8zbyzVKZ>RwCT zq3O(h`qbY9FQuu&|Ek|qY`fD-i(SbP+kJ?gDT$ZZv)N92X1NqjA)YB!JJuUL+&n_%GVL%Aag(2yc1lv6OyiG1^)BZ5bo@TR-*NBx zprJiEEbs15iI#;IQeGr4*y-VBfbc*!(TDrC{#zxnAzjE+OJTlZHNqtd89CiZ&Y(d@ z&86tk*FX5aw{XYMtr)4#$10CIhok$@z?5dRS{dxh(*SBMoD2QFmRed*@!M>kIeqT~zD$#lgS-7?f@_rw z1If#NgPuW3zX~QJd$AxsvSJ10#Y#}XbanLL+&7$@MwoEb7(ap?ZvBat-L%7oDHfmg zy8n*Yohm5J#irlo@Uugo=L+%T6|M^}Wo z&>`T!aS5C}-T@+KJQOm*_|z6xeJy_ZWt-_7t#omM3hNrT4yd@-&oADPr)=iNcL8O_ zLSxRWCdE&JwsQ-5Q3Oed3)LMD6}1W@@$^C4OZTzYx%c~F@n1D0{kgl#T@5ekQ);ng zjsb8ng1T}#2xcZnP0dc+B}R4~g@K9*_plKj|9q;p5xf=yhY|30)6jaZJAH!h6mMV~ zoM3!`$z`N@L9TqTLH8@W3VrC49KL1^M02wQn-oW7aZFl}h~*!;a9YRy6hRq&8d#^Z z($4I_?_7aGIa#g#+tkqo^WsNppTaxmlURGv zuS`PAXyY8fH!m+JH9q{t`>2+S;!g$5N-U_pDP@^5>wGbpA~iYOHd5-nLfg;wPmiS} zgcQ1GseO?SaNIXl*`br@U?rzZA2HgXMk|8NrYr2ujHZ${d6eM3q|X^6`^rbD{>1S) zNw5WjiVhl(5;g>ngAc2kmk2n^!;M~+E_z0L)<6GUUlPn1sbF=b715jAA*-YgU zg`|#L?VF(X4P)18pxGwUfTFK}1P}wX+&otI0-Z0Zpm2hnCW)-Q7_s*KfY*JsaAt1j z49C)<>>!_~Nzkg+9=_F~{Z`t$GyP*a9|xhvlv*9qL#pf{5?Cp>`b_KHi4vVHg3|6{ zenGMAyEH#4TWW)`l-f|1297?qaTP8nVVdPl7!VEsiVU$*hHVa248?HVJKADzuiA#w zS|!3lgJINTC8j6xo>y};)Zcs$9O?}0S@kTt#Ds1k|F{+X>msObl;eHl##&WJLO;Fp zDc7DSeO=-`w3~GFdx;meoZerCzlFlE=EgRGj+foc0uzSletET#-7zPUw$arkb9r98 z3$)dq#zY7TY`S~O7O|~%ewSHm;`hDER!v$9b!Tebx%Y0=d9UKGXMGVMXtmP0GhkKs z(ERRe8o4*(XlY+(6*Op|_mT0()?rdZjzFufT~614AA^tYqRhNqwg)x-~Q|yql1a^hL@=$oAxYX2{wM;~0ELxs=HnW}LvXvrBqe~GcC|L$bwD`LN8T06>_?(;I?s(sMw9A2vOHN*~gXLexYyz0Fm{{6f~L!SD05dHXnOqUufdPIAQv3#`C;G|nbX zfUzpQ?n-XZJu=2Bp?e-MH4mB78)e%R*%PzCU~Hv9e7GW#U)BQ~n2)_CS3|`JzY59x z?w_|W5^b?ff9dFHVlfz6bd^CP-1@=?Dd8{cd?Mw{qtF;zpF!6&f2PU)OU98;>qVZl zYOKPoLDt$3vf${5gisdlXs}11%snDVZ4AhMz{BBLqO%rW-Y;IvJF18p6~=>ZA)$)M zVX6hi(J}2w33e)<;nX6ql@#y_N`jAgb^DyE&9hhj>s7mSF4J2&NrS_?2p!OVxGD=jmrNp2&!k_Ufye$&250&^e zAbv7wk}eg>k=9YIqR<2il&tEO*WKH?8XhQX>r%f@db5^8Rh>VPvkwH&YDsaASc-I> zJZLwl>hZ3E`J;hqQ?LvFD#Be-gcAh}oB`@vUlv>d+dBXlt0LL1jM8Cm^x)A*1X!*U z+~=c$n^TM-v5udU+rQ+8QQ;x`+E+^PrAN(Gxr5Y7G4Fs)3i>ezTWJIcHfoA_x-Eu! zU*G@QNL5}F`wAYA4e;fT(yk(S9V?vYW4+G^cO1xIs38p}tg_XUfrofj#Aq7=2z~}O z{b2xyMDPJr#ZB6Bf1)wwQsGUbhpn(HP2pDt!#h>O$;O1Ys$ZZ6UX0+C91k>aLtf^< zwQ^~-963f*G)6#hadNW}&=N#Z2TPufJ+C8pWANJhvvX8v=6PTsI;t5$v|R$DLwZPO zG3#6yXS)E^BGA3P5sZNT?J4y3!c&++bcjp2y=t`DlJV4jME5~BEt8IfS01&}7=Vr$ z0D#$~AEP<*>1{KEJ4Mw#Mb+BI8bO$- zKavSuT1#B+B_?ckP+AN?QI3p@f0~D%jAc@d>oHz8ih zKo)~%42cSCD?xICHH%Eu6h~QSU?$W!%`t$pAIzN_?A-L~iP8%(vFJ;?12--rETj?u zHUGf-zBEXzs&p$qaUWPiNqU3vSB{UvLP!1&Fk^!a~sicO4)l8UO*1 zj_3U47ekQ?M`cJ|>oUGEZ~WsB%uofuaxOWaAnd;hw+l60u5EExPgeRs8$GSB@*$Zf zXUQe39X@F#Xoc5DM$*m`yhwk=Th&sfqwZs|UabS0eate{RfMh8Y3@c|=ON)lcx=!9Pg&e%>4h~B=(edQQOfx^{1 zTOrdSJb*k8_aPsP=W0~uv8S?}a<*boUZrt_Y<-~3Ujn##bzkRLFd!0mt?;JNSoqQ` z`PhIjicA)1?VAkSJ(;*AI1b4Xhanv;cbP8%GfdOn+0nM>% z#lNkKpmsCEwytP^s~o_+3M{U>{&sRkvVLWM8hk4(Z$;W9f+;z3$-U#h zIqlolv5rzNcU)H`bw&*2Kpx0&eRQ~E$V-YfSgJ49pB4br(GDn5%#c*^--l(CUXyje zeUVq3d!WA_Qu1(!k?85Zx` zi8h7re*l>Po=ebNj~FKOg+xCB=RZH!q;NA~rhd6uzC-PXSNw=8SOO%Z<_udyJup}^ z1Vph2561#NBy7Qu)@%)m-RkB*3|bQz#Uy_Fa$;p~74)MM0FK6=M%q$V0o{#Z?lS<_ znKxi7C$s2nkr!_)U)*+$#($wOo18NqY6HQ?@KC~4$&nXNaZ2m;gP-E%9be4TAXW*H zCR^=0mo|1D-x48Pg;-;NJbt93aS$DVZxIfFih`lYw6x6GRQi|+L>MhrJK9AS8}Wsy zak)8zwBE;t+O}xG*+sv$yFk7zX~!~Fk>)g3#;EOz?!UFv!YWu9dUFGz`ve&rp7a|? zi#gjS?63OP!}pRDb}QK+`Pq|Z@{dfYMx5I@N3QHUyjWA>SR-*brSp*;so(oiKdzYAWC-@7DxA>;hf{y_@2VNBg;lp_P&TM#OY-x@R+!0?+eP%jxv0$2;Dm;_r;3uTGA4!X`9aF}# zje)_KaHTQug_#PL#dsUr;57B@aLj^WQIb?ofQVx8`q9{Hd#<(yI|QAyRdMeGOLplO z`;Wq%JHLB$iLZ8VU=`i)J1Tcn@|RFckiY321VlTUoh$5Rz>-O>Oq8bm5!ukjwdmad zC2f6yjDNS>I(^E;SN^u#0KNiMz?%)*3x*&5XiDL-8)d;UrcHPyOt_uQ&LSuZq@5;h zxbujC_RV*jjy(^@jQ4P(TUt7iyL~&UA8B2AM^MHxmHJM-2;? zBQa~yGR45&InE$3Z#EFmnpFG(=N64M^~2M0ugtu{DlI_-FrP$Fgr5y}e_CGnE^c^D z83Xq1Hk%jgq{NSfW&PH^e`wQUc(m;gef&O(&qyiEDsK}zRd>Amag(NxT(B3k+Q^aQ{zvnI)_4wfd6U2 z`3pS-P%lNY?S~t^j38Trnl}M{UcABU>|ed(p@#vOAdoQ|M3lsP;mXgD*R-vB{d{24Vp33M81Gkn3=8K#xo)QBFjS+mM`+U(009vfii!T&qp737{MKEC= z`|veqfLiniEwaeVxBs@{P8+`dyA@Yt`?nRRh44R1OlLm>K70&t=k~x|ys6t5m6Z%9 zz}}a#y_ecZvTnR@d+IB%Ox|wd?YNjsgY~}MfsyQpk<|WZe&!%$yt>zi`(H7+L=uzz z0Q-N7Nk+I6Lv#e07}V^QhHjduwUg_4SF8W?6n5>m&*;U?*2cCN!+`?VsdS4aPO^7 zI=91^NzCV}Pj9s7R0=56=2hj*p#raCUqyU*H&c-HTjA(^7Wy{Qgg;X(k5BDQIjdGO>k=Lp?;r2Mkhufhw&q zdHfZV{l=K>|05<364JOxV)Ecg+V?I%(Iaup{F{*X57bqSvyfvH5yix`Yz2h@^&AGl zNIV;XCfm&>m{G2Oju7CFm?H?JNWC`DPRUNEc$`ZTlQJM$1c1{RWktO?jl(f+X1u0N z(SpHf9QTHp$sC)3sIyt15+SJR8p%#d zOLT@lSREQC*~#pQeF-7g%8xIONOqEM8+t)*b@Ufct^opZ5#JmzjoLrs+K_su#M&UZ z`p2)k+BykGuPg<<(JhYp`J_OiwR1d9_;t;zx|U$XlcG*a~AigZVP0=Jd$3}{qlE(xvp>qeSYLYl7hqXbTw1}mn;6P0?BM@Ut7Jl^t_EB*5xSRN$Ikn zhj1F}D9YE{V`17sh^vl1Dqk_ubv697)R9^ore9kVujW7udTT`Tw^&{x*TV3esw#iLU;pF{+)QgY+cG-*R0ku(}olT+`bU- zQC=}Ut4n*_Qs>R0hNB*CB7i(L6FtL!n8`parIL!{O>(M4LTNkgd4TRlp1uT%CR=(JNmhDQ1KM1yq0=lmK#{!!{a3XeSpP&v4x8E)yGFxC0k<67wWb0ujuj+ z3D!t035U8l%&yhbH&c$G^SaJIDi-=S1A(HCdyU5JE%aU-mRTPz!o zfCNi5I4(bv#ZuHc@M7Pglyx|7Pc9^4lfrzzBW zj#RPc8QV)e@p*~*zJKfPn$7v#%FEBMPC|DOra^m_z$mV#pGB`w2z-)U2Hci$qwrq( z(0cmrpCy?UZ|=B7W!1$_u@n7`viMHi zeb#NVlV5z>(5X7On?aWINbm}|!6PYR+NMjsV8rr-g`aD7NN&ED_6oT>rajVi-H425 zVXL4jhs@y>(0KjOLbi3p!q@4fDxCTQ!TZT8U4Kl6V*BZ<_RvAqH{ZV7RIp$xDLA;t zKKQ`i$&tyGy*G{$JX4yWu)H%9M^jm*;D4Y$Dl-&O1iAz`*tYKI-fdJlA5XGbtIhOa zaG(oXZfVbx5D)2{r&&eTFCMM+Ubg*^5ZO8U<@SX7pxd2C0R^Y|@4`OyykYp2Go(-0 zx0LyT7h8I3c>AWc?2^pxHRA`hdfVr>l82ZpE{EMPEyF90Xrf}xQfime>KfO3 zJ{>Ti_~G2Ol1XRt&1>14j5n~4>GzEO2p+Frur)nTyWyMzRm?jkrla$;L@8U%3!h@f z=P-zy4^kb#3#ZuU$CRUJ=q)rf%8zRFIMgaD%1uDd`Z1%hdcZUzOje!cm)tMc(_$K%2+L`n+l6ClqoMnU~HPcTMR_tc6mI8?ZZ z+(Pz&JU6*H8aH1_Hm@Cd2}3H0P(~4&JrDV1}W{od%=hjpwhA;R*I0HN-eZ& zj=obK9}P|IAXPu04^ff19+6g7I3^v^T>!*v3~EbD)qhNxIfi?1jf~_hziRS(XNNZq z2l0 zhl;w7jOa&Fh`R+0MTdk2$Dd|7`ZO)YR8T#F(|>(=gy%0Hk6+Wz8cp_bg#&EHVle zThR&ec#vw_l=?4T`F=m~a>Wf-jK8mY7KZ%pX_bE~BCe4siekp_;u|!0?5@l{=(=o( zto!4U&WOT$M(JASk`Em)nqv2`rv_4rWQHF&q{$J|9tqtRLu9uskeveJ2jGvz{qlA9TppiA=?hW( z`JCP-o1-SEN*kDS(6MeNZTo467K+{Bi>#cU&lf1z#gs4q7T1f ziB*(+*OQ&`Z~CdQ8p_X_OEnXNthrPfQ|RxNsyCDS#Ts^>?a3!=XcsMk=@sN-r$~-b46%A+T3X1xZ-))uf`>N*i-1<$omp6_!Q*Td1-x_p3Bw zlXPOKBmFM*k$B}Ma|)ZVX>NWV>4<99(>7Lsg_UiMZFjhN9Djw)u9Yn#Bx4>Wh^?^2 zg1i)B56K&Ck85l^a4j{FWn=$8VcD%)dTk=*AsTKaOZMlOv?JplMDRaFT%yaXJ6pO_ z-B$I2!o_NaS(@q6)jbfGVzSZ0;wQ7w+L1b|vxs7LpcEXBrEMfG#XZz#7)`BNv%WDUWShXQG-cdUDB|dSoTf zHpIV&{H{z)SzvPWj28$`9%TBtdC{x-_h*F3a{Z6+mbCL^&^Nhsh8SI|R-uE2O(8J< zMC-l~*mkqy>_^6*?na$S02&MOJjj*qhIIK+fzj=V<4dFkD4Ccz(vyn=V$kr!6Gpx8 z-aYEbV?#FYr@{b#)0Uz|HrC9;rzVWH{pC8*^E!dv9pqnI;-#gbt_@OoWN)f#LMd}g zk+F)at=}KQxz7`R95%`nk=YP)=Mzcgoky$?l78}Iz8Q@6H5Otiq9=21Y)wIr8;jm)01Sotsxfe;edIS*2At)1Nl}= zYTC%K7ov+Q_-erRLYcM?;Ki6ip$UMNH<)!QSELJ)__MR!k1B(-14K*tcXuio!Y6lo zZ`5>PqIB9=G5usY|R_emZ>qUGw-=2FWA&z zW;^V~M%Lxm&oTuli7BK()*i^WIVb_-lly(fQ#q$8V5K-nKu℞sdZT+i zS$ytsqPB63n$5AggO7eW&j<(mpwo-z2IZvH@x6$+d)z&|JzBQYmb_YQtYrG{rbGHC;y|8Tfp)`MC$Th)42}A#s*NS>#o` zYUPU6fr7MdB?|iX!Zl-xSepHhqcm>ICpPZ(LVt8ak82Vi(niV<$uo%LFMHZBH8pxz za2XaXVhrUBeR+$P>OhoycJpO0N1sUkWWmpud$oP9tWmp^kXk{9#<5T~^l)5N7h{b5d}<@5xw?r-2N9jMF?%2}*G{c4xZYL`02 zN|(>8-rlVHb>Y`qCG34c4fTLiV@Qj^;!&hwXMuZ32|{WK>{BpA^KtW@*z4i2wKUDG zZ16SCW;&uCbb)%w3b3JK0KZQC?29PyhC#`ZKAgngcuB4?IaSkOxr`h5)(+}Q96tL+ zZcN=5^y}rP-!H##?tUp4y`TT48iKI%g*=-lQw_SrZ46#SFIKr4@>y7p=SO`T+Pt)} zm=OUB6tlL+%U?s?;K1=rCeTFKwT1s)%OGz17J|{-U_AhpR3AtW)n@j7@8cBUVo7;N z%5X>9cY_r8n)}C1D&29v-<#LDL@1@+)i5mc=vdM61F8^r8wzKMNcEg4xZQd-MGJilzggL_*#2 zh5ad1yTp{g*nVuhb(UT1b(P_3LE2$PmA&zjPc&Z+dyYT-u_raHI{#2KvHW`N`{I2* zcdWl5B>fra#&0V1_lhrKS>j@bdO}h6Q#((re-I#t}WX z^a_bi(!SxlTNm~4&9OnBD2KYp6^cLyP|FZGJ9_{P`qtrv{g-;zRr%YOE!A|psXtK_ zo|%6+Q~PwLb^ZL!_4B+Pz(wKL*1q#XDu_Z6xcC#fmGL)zV-S9moWJJMhkqGL<9GF! zbMvfH0sU{mbi8s@TvArU1U_L6*svapq0^AxqNr9Iv$&l?9K#j=Uie&zv=9Gi0$3ZT z@gGA8$xC6@%M47JkCZNuZGP}&QL^eq5jtU@bOubFd&QtYf!d!>CmH2fHA2jl)>%Z{ zaz+5Wi9q%iY4pBoZ4{0xkjmfTp0o>`N0iDR2uy_`=*Ue<;*)6++Drp_ogOJTD+g7) z9N(s&ERhiJa7of8UhtazXd;vLor|flS;>(UH~kVS&B`S5PLyj4oo9gH(*lKn)S(-z zk+Lh@F>KJ9#DTfW;iSNVm3D8$Tl+4j0yfKT0bwuSrI{-)7%Fw~dwa*}dX%&{{Jmt5 zXeULAFmaKgp~YqV;Rp=c(|U5mkVTcFdS^qYBz9n2zhnl+(IfzEmiOfFG3_D7s%TvU zkpLxpxV1pbUsZO^>wQzl69Su;Z0Q2fP;NWkd!lB?$)Q2`ZDHw&$Ubon0&iagfeJW; zAM7OP%8jdD5@Xy^>-%Qucht=9l6@)rS+o@}+Y&yY$}$2@?XFrY&jpBA99G@&4PAL6%d@rJc* zo}xspz0UyPRb_0nIwdEm1MN=e5*|TwR+VJZu8CXEGH08`VwQ^w4fUBL$XGZzWz0ndudKJoruIVQU|Io zH@#MuvPuf3uMFKDJ9!Anz`Y;pxfv%hf%b_pqDgg#6sy`)n|PKj6%Ds*Ycry=I1t0WUwAYJ`wb;a|B3>9Gp1~LYdiygiOd|pHOy>u*^xubN3)&5Cvb>YI< z3yY5RItqCBK4QC|W8JcIIPnbvk@Q3_lh#8D7j&Kw*GNi)eDP&|n?TA$;Ro zirLAX8A9wN$*mxXvU$oevOZIOMTSs)ZpXWPQYRs*d4BW0$Eg(WsH^BA7+6B(SuARX z>vIRZ{3q6xe|Q+k1S^QmRPUQpwqfO5dKaqyVUy!8d3*qhO%}Kt(B}0I7l0j-SOd^N z6=rm_(sEwJS769XR&PA*=-mt3dN8|_C%{4Eq2JKDr9_^7m*ze%BR@qb`kw7McW^#~ z{-K?^;!00oRoC?L)!Q~5s;2~Nl z5C^j4Iy@ZSg!C7E1HGy`6`lsW>ja~i>5rI+xWQe;l1N;i=561)5#1u&$y70xByPTT z12KyHdQCely~mMe3knkB*h7`Arf>xkuUDDOF-#-r|M(YQRZbU1cw%_Lw6M#f%5`zE zOC`K(#HctvBq!|yS05!w(HDp+0|68J8%z5mmj-qzGph;xeCDRQcY{$B)C#&Mai6bz9UAjCbQ>@;5Oe=8o}^6`Txuo@>MUhOdN9#= z^+(E0MWLYM@0dF}699aw=yuV_ov}nC=FzGBtz_>$*l+w z<0+LkJ9CMLEDz@!ISre^qGjW}U@;==o#cyZ|I9Dqn5{PqA}JAvooRr=W1JxT1ooH~ z%Xx&+5L-Ke_bF9SA(0W8`Z=2B8~x0`f%fL5vCYh4WJ;jLr5#``m#eVQvhNn~tzg7r9e@XldI z$`2%`{Sov=+b)(NT_Z|v$OL!+|LO=gL-hwOpCsIk9wbxbAElD}+0^=Wp86LDkP@`g z3>yDXJuu(sIbSvMw!gYPkO%_We5R+Lv9#{IpY~*GLQHj8AY{ULOg)In3%OD3oLx}&D&nzLRC(O^Y5cOpC+EuQRAC)eFfb~&5Ku!bC^!c%42==|{c zXaS*22I@syIs0-6F?gP`cg#C{!%XT8dAA>>s@P(mmRnoi_*gZH`dKlhc0Rp@5{=D^ zp~{T|p-tmM*4`C;^_Yl!&1yMou%Bu;te_Srhs&l!yGO7?xB-wlZWht6IGsYj%BrE} zsJjblaaSB1biSTCfAaVF6FYc)R>1ofdx@Xwe#Du_eSLQf5b^;_=l&`7<93}^bU|bZ3~f~-q~}(GPhg{=4>iuhaBVL zw3#%yKPOQx7YPXtozTdZ`NNX9M`hShz+1;W6Qzal9JHiBmx-UXN7-tI0WmOJY2C(5 zZ2E-JCvENULLkS7lY$`G>vr3S1E385{(hF*y`kz^*m|8Le9691uB=m`Xf9lF&z?HS zs-HrI2nyD6jc~RSL%42&D83q#KEJE7Q_J~(prT9xFU>MxSLBw*N*8#aXI9R-|JPQsXh8lTO4;M1 zzh7bK=x^LwZiKOupM?~90y~WX%slDsD(AG4@2}^hB@=7}V!pH^L!Xra6ookycLzFM z)T{5T;N`M=3}9@t;`;OzDk8vub5B?RF z$sJYT_Rpogn{@S`Dalmw73i^$7jZGzFKy5(%15{~2|b=x(}8uXibWAL^a!;yKSZ+% zfDIM5g*14farZecQ3MWdssjt@qujXh_gZOE-seXMadP@ag{=%DFFL^%{t+(aB zGPgeoG2+BiSRBXCQP*EB305%1as^U*_9E=mO5dimzwJ^`IpiwY99cgeS&SHX4c1yi{RgiYhzDkUL3Lj!E#Ln_M}_73tMvS@RXUksrv%bHjdYE1 zKieAt8bVnR97&9kY-O(PXzmo@{y(;oXF0+LD-+hA_}(gR?65>^Wmpj~c4n%23y!si zXR^lUMceA&CiEp7M`DY>BKxvY+j)(3F>m{+FTzXn^5h2MC{o%)8K3&-kz(l?@snH* zc&;UEdC_E68IaAY_a9%0^P$!JFR#qbHC>~V-i5-@I2&}!V-8$dygm~?{2Hkc*E!`_ zr#g2Sos`_I!uaw#JM)!JvN%3~?wPJ^SMOq7ON)!apPqKUGL73{EG$M@XhFkZ%D}&^ zllE4m#S)&)4?<#xBwqQUme94@N8U-eyAKO;0PIg?DWfUJNVf7=`#Azg_bkGE+mMN5 zD~bI@0Xl5I2CK?st%R?~p+F*5(uyQlNn6{T`tnwdQG%#4UwTf8&p_(Y%L|UEv^s;% zqbA^orsXucI`qZNy(-|paHZGG++SQdHn+7vy!;QYe7+W;JQk^3)iw|?rRad8H_&As zlVZxBQq;jQ@n47J^fK2^C=Xx#Ciz^g$z*XK+;?2gVsxc^0bHgg z>;g%5!BZ#et*=eXIVT#R63Ch&0*Iztzvi-kX^Q?Pi2o+!h#JabAY372;TLPXvLsm< zO&UQOBgsnp|CN;(OLh)vr)T}w`Mdp$E!7gRZUzMIp^gRm6z(wd?2~$*`XODW(K{KF zuPJX9%o=FPh5Og>1VW>fnj%b#fWB5_WUuB5B0$KZL2oQpH-s!FG|J1N=p?qSP@O-} z8F%D@J2Hb5|6f(*J}3A*1`{2XkDYLq5(D+m$5)wvZY5C6EG0@)Cs!}_n_T&H!o`O# zUOsvW)}IrqGg$L6?RUikUo9-BNireH|FM-&ws}~uzLNZrb$}Ha={8tC9}vzcvFp-t zls2!QHh+`{yx_o)T}FUWXl$(}fD%Pu+l*kevV&m4`J$s-P%vXTY{Q3@$odFAO!$gs znoAvg4h6bg1z^Ceau~qMZcS_VYJKQhO%a=WN+r{!Umn*5J`tk?BbVDKgpPe^jMI|39jdu(kyoh_JzB%+LN;RYoqalT;;^&B4LkYQ6rM zP2KwXdV$@4RAmH8cO=5=)>~=dx9JG?X?SSfs`ivv`Z4+DSK?+-(bfD9uY|s0 z+F^5uuycsGHS!-}>EWF8^u42s+gHAWJH}nK6?i2$)bnXe|7?wyIC;H)rmd-%JS$zw zmYb#}nw9h)Bmd1oro)qGK*WsCzj>vH*L~mQ+d-~QCKc+T->sjNo4tBrVKJ8~e3s?V z^pCGJUVrr;U#YkE7EE%Td;7A5>pgCEu2_EHvbPQqq%($x?>l=o7}XEJ7HjT&VBO7K zEIO(znsG}=x3#K<(ryiIh8X&c{n9ZFM#EGpR)4yxklVQ*6D^v!+@E=)r9`gQl5okx>7L(<}X z{dW^G&#Uu}!rzSC+c@iwcvtWA@`+khjUUnUs!l!))mo<`w>eT!=iXaOFXNg|Z~83s z+jYMQE!NpjPMF+U9Q1!TnRUrq(PxPT^H6)R6`qtJObCEnsJkHF-iG;XiVJg9p0)g( z+z@>}x>s^B^5bM(^1Ien>YoMgHQHG1Ll3f--kp5WdOAYVIyeRj;plWQ-C^dfNb=8? zGiaj4{XvUirjGGwt8qt8026Qq2xWN%SmHqF0J9z67G!P6ZDJ$1LJoY(c0$oGa_cbh z-C))b)^Ac!V^zDB2<#3faMlB z$ARAff6S=kM*ey?jvu9(QGM+wM{5_vzEB zc2y_50k3^BcDSPyu|<|%DpnzssdVycu&O?YwV2`ItVlr5$3?GzIv9j*B1=@|bHPWi$l6~_4h(~5 zG=M*+*9SSKtuA)1#ScoL%Xqud*JDdEzf=Wl{I;zN&-=m#MACJ)4!?^nUuINN2rqwC z;HTdZVmD8_Qb%IopVvn&zC4Mej^8prfw*5Z ztK4Wha;aC;ul-EdYMJ1rgsQb0lbWNT;I8-VVx!=ljgq{)&ZleW!A}-lQs2}}{b*U& zG_~Q2z}}ESwsH1NDXziWpWv2;Wl zkX396C~Z2x)z6+V_6drK=x+^wm!KR5h{Rl_oc_etQk?PjD6{>RQ?<;??2>ic3s0lf zSByK_lXn|Vem;DE`|087i(su7+xL2}QOwJFo>FG1e-3evRL;8$_XGo;tg4HsW2~ol z?`TxAZ7>+M^|&_FxYfGrYv%&;NDF=-x^bH%qI%htSND*qCzeWYmg|pPgb<%7_9<8~ zGafdd(>U#{b`_Q?%@SK8Elj`_;u%wm`+gYNf}?3Sg;u*4(bvR&c_A23&;;%b?mMx&``D1RJKO}y zZura9U8HB~R*-$n4Gx-VVW#QVy=cDX4;#F(?GnEnx9pF4yzad@C+B`VP;l|hpMj!i zb=9pbtJf>R#kQ6R#(it=`(h9fGXHDuRN$!i0cKKwI4~C$x_@~(`6x;)Z*Jpv!+pAs z+L6wK^H#~7eCj9q8q6oD6>TwzY5m`fv1{*nPBG)Jg?2aQ#4WTJSE(t)0`f^4e|~Sm z`JSSKyY!s)+5r^JY) zi>bmY?dJ5?m^a3I)|(fRhrUrFOD$6SaL_>3{qpj6(iP=Zn*K=lv1fa~&0VRRsj#m# zG_@^qp6csFVW%yfrmy(AIs7GUmb76h+F>Wf;_rDWY_q~PPH}Iv83f2&T!M8Uj|hL} zy&BSfRkbOoP8RU5xxmk|5#NFzKXniJI~U0P_}_DZ4gt?b14xQ3*HwqoBh=`X-^=gD zhD+AdlK&r9ci|Of)aZSGn4lY^LAtx!0frW&8>PDiX&o54ySp5^JER*#q)U)41ysZu z-%;=9oclfh!>n2RTKluVKR!~mFp4gPXn#Mh5lUtSGK*~RBR~`*m5-c*&oAZYzL7rY zH46TxR?RIU0;*3Z77#%?FGSTKen&U5A`DpQ9#GgT^c$SO02isZ=JIkz&E06UAU+nFOOk;1?%#VbsO{C?FC znb2OAm;wgGU~UFp5OyLL2&PeihHOL533I0fy195Ou`z!jTZ;4E zRblSEvR$s&gV;Zi&Eiid5W=GF$77~`bxI&aQ(l*vW`z}1cNE9wq`{>sps>O394_2&+s*Ip!CIB3F8bU=%$C4K6r)Q)rYR~=E$>=9srgr0aDzZb) zv^(Fj-7cy;FUJ`(Nr09>;-?VNjG*|~df}1^pgJV|Z!0kCUn`I?!Ct3Q_irk&bi)dr z3M`1NSpif%32dBN$+VA3Jutyy! z7+kFp5NUk+wQei`8O{Y74y=#+Bifo%r;~FusySx>-dFh#*HHz!-G52jRl`5hMuii3 zo0m%PwX$fvX3RLY8CM+;Tx*r3oW+Xk6W8R!{SqfW4gcJoE0Wf;+@mX2gK3Pdwyj;* zPav=a=aCB%#+@PCg;kkcMU70(@5$(g(~vRe0(+TibP3F05b}ttR8yz(FK25N3Tg} zuyj-M@0{f55=1OlN{|(3Z=(ZUVeJY|&;(?@`PTA(FxyzRX*6x#)>Pj^lh{=!f=B?4 zi%~7ERlkv+a!INCPH?vX&2tA6Hm4JH*3XO*NBkd`>MH#QF3Z~6p8_Lr>k;27yi@Rk z1_5#xBR`QjjT05|-H`7xfC9#bZ0ULo-UNQUTnzlbVL)ghIt*ypQ$rlmMN{pjoztgv zXHb8Zx|cF^T3JOlfeAY}E?Q;hS>)Q>WGgoAZ${}J*}IF#h$y*#ZV#SYl!8O{G#c<1R?`bWUgx9# zdVuL>I1#(6nOAe)OcKyyPz;>}L|Lt&n}A==r-}t%htcL$_0^oFyiTLvv2y8}j9)Ko zU)Sk(KnuEd3z`~x*iO8kS?Gq^a+%lJf;-Dfz2%#;O^wFS@1#Gei1@MxGGd(o8s688 zrgKkC6>j|}1t_?UZsL7EUo9AXg{m!Bl-qt=KOgNr`t&bn+uXJ$*~-+BOjWkri3om8 zm~9Gk1fLQFUdZV(WT<7hZe;o@SBM)C%!#wKy=$Bkk@@t_vrXg|DX6ucU8scpN$_sg z87L>NT5175BIVGu2o#%(d7p8+0)VgSwfQcjL`E&e5O8##AEQtMawYMf`k(gQwlaMz zjnvRi>}%9*NS}=}fpgX4*4dqsUpv>OZCd7mObOn~K${G6qpB)-ZN@i06MIHNfVXJ} z8uJH1pAP2ga56L+(CxpAL4a|?q1pT)@j$OwKk&lhl}9gvIX-2<@-4&s(Hm2U>0i%g zwiUt1y-xBoSH8D3+}wsjc0XlFO#B0&5kdpAIWZw0wlbtn^zg$>^tM=1&Uk#P3O{Wa z6~Sl_QP@2_Y!E5fS!u7W?zTFc+r_OG0!LW&exn+^KQIp~SxpZL_9r-^|FGv?rToG>FC?(b6P6&de?Id)H(i*JN< zZd{6Q(6*Dub4$t!C=WGz*m5{rO_co4sX_N9I5YaF5|VIo3xn>W-9gu?U<7n2gFaI0 z)zTsTy6%@k&EKVF`e9B9V8&g*Hfi_vfSm#Ou)(jPL{~Uc2}>IFk*MUmg+$N?^dk&L z(9pu2dZF7-y79y9Tov~vq}%JcTCw6I+!i|Q3wOUFr)z96XSK-tA7A)&UXTZbPpW8YTtS zq(2cqp7myQ#E&g@7anU{Aw&CG-g}Bzz(U$}<-Mt9Hvg86>z*&^HgyA1uTnW4_i|mN zAh*<)-{e$eItIwfNY@28A2v5>-f8L{e6~Wf*5=e4NXsM6YteOfvSOHROb;0#4=Rx& zmGsJCu?{Du2w=v4PnAfE<;^Ro5*88UwlX@h8+#)$V+&y?I zr46->lW`L=7mFK&vTg6nYU_GuTQ%uFa|)(4GN4F#1;5%zD#(xRJgw8<;Q%S%$-$va zgOYHo!6-pFYe0Fz-@ad)(`9-NtBExpcUJ(4KzzxHS&?#!!2m{?YbDHHb5tPH%!Mp6 zOMOWR5!)ZDo{gCY)1cEiiR~@Hwe{^iwyq6bqqs!8p0l;C1^o}@+8Y@Pyl&*iN)mTy8q>nK#B&M0B{oo6--UZIe@lNN-Ozfaf2F^RK9LT&-@f~g(51iQQHn_Y`O*C> z8g409ib!uxH31!{9&bw1wccfbZ?-DKHuJ{`##3fLx_|^a)h7c<7A?{2#Rd;PJ5t)^(Q2wy;JwTH}?WZalddz3gl2~!nok4e>2sWs9DBi$jto>f;y zXv}vhK_Z*qsHvM!;%L#KVzT+%>ZpSrcODSjGw2!~;SuN?zgBtjIq9>j`ryXXE64DEp>dj^1;L`SOOY;rUzr<+Hnrt&Np&eD0F-$aV|t z_k3?gb8tfyXOx*3MW?L+n9LR7P}&YJBTu@U5Ooq96)FrYWgi-TbCP894?6G3jXk=L z87lX^$pVZRiM8-2h4kAkR9<{454;Fb`&yXP^CUp+{>$i^!VJ&mC60Y*O#nuP$;HnR z@q~3ayvRv~5G5>LCwLlWGNh(-MJ33Qxu)`HULX94d=FDT2MLSB)93(;bqz^DxQ7(t zyy&o`&O(MrpQIWaG$E?n5+XwnhW0EY4y63L;7@+hSO#4P8XcTXl^KJoS++Yq{7& z6CrpAcY)kbb!?Xa;8w6;L-;clAz?5~cCiMM+0w-$4*+Ae?<&%nEv9Byqz2AzssPeZ zgZ0O2bwO+eEIv>weo}5_$0gltk|wK|bKW_7*!k4=gz@T%^@Y4UAG1KzVd4wj#WW+H zH58!=HFw9;xL#ZHEACWKBrF0@1jlCD*(CxtA?TBlkunSl5vds%Xd^!d$;=*-S!3o9 z5~=bYT&6qQ7Lp{THz@A|%;_#5iQ@q@;^WqnrPhSbYPOmd!y|2#Vgv=(BF9S^qNA^< zykFGGD4ol%&u<^b;XY``pNxWleSOPmH*^MxZ%+{(G5aJR14bFPt_fd>HR87iOyO^p z;E6jB6Fy?J=s3FLBd5`qlo6WOZTpI(+(UrDDddSw0KM7nUF9{C41WtFRJTgjA>Xad zDH6sMck>yqO273!07%iq%+H=~E;7mOQJEa~W$C5WTLcU{hR{2v97udJLR@7PUf!}# z`;Iu8$Vxqln%CgbvPL=Wnk0~7RLDY}gb=rpQrBVQVe))J9Nq~W0yM$E6J;J^UbBiS z73$;&*d{+DuQtA{Xp2gSz+(&J)E@wpxWw7Jg-A|`J#&CD-J7}RAQGQzal%M=!3dXR zwhCv$#~}Slt}1c63nB{$r#;M3a8=Ta2N-MC##vzqw?Gt&>9FeKWn3ek)^5t(j?#|s zeenLVfOXh|)XkYWdh<9!?JWFQf8QI!T3M*((!<#Bi+SCtTTeSmMD5wjtBccBVa(>+ zaVFX=MgRt*RpfV@QX-0L7>tHFNiL+EVun`X-Sitk{d@_=>ra=6*Jhj^B>KrLH^Sa9 zg=l$$!LD+_AvwAsOvi!A?uGu0!}pPk_m{7F6u31XmpH85>CW};TJq8eO4UZ7Zy7EN zwm%3*3C*YQi3IPeKtgtti*hGnXr0X9Hjk`Jh+nSjT0gkW&0#bZW#kDo_m zCeUpu=LcXl2@TScup@QH4Tp&u*}4>Eoc+zFC&?S{qJuG+A$^)}82~he$%kf%3cG^b zK+QK+HfWI6?EW8+2J7SOYbN2LMIJ;*?(AU_pyqc;4%Spa>{fX4IfldC${KTY_=>XA zb#u1j81=3ZuF~(_bng#TsU!HfuL~+4NAT4>GY??}aNfS2XMbN?$7-siZ;t1UtW%UM zhxoho(p)r!-wT05v}fN!#U;m^!gVqEOQ1xV$cTGwZvg8x7bMG^6XI^tvzK z$Lk$O`cy<^_?Myurn46X(hd2GuE+8yiO`JThQ71qfhOWxezKQ#W4~H19477rs?e=J zpPo3a69DANcfB%^C?NF2ifG&98!hj!@;uVmSZgVa5ZXUPozsJ{86(T=+j7Q-7s<`V zN@(hQWVMSs{pmDssa}bx4B`1JFSwA&eBi^CO!3_pGS%0`WO$D|CQSO0rmD5Bn%y|_ zQGjrPy?f+d(H<;-7Xb+Ecs8NfG7HHloJFdUnMlXk_gw4Fb(})(s%QI`r%jA)X{NxR7@7UDkh{X_&IM$ zVgPmM(X(O8^}-VtDe@RLZzmL{qLpxSY+-R3`pFy>8lH)r4RUrN2+-~fI)X!mu+9_A z6H=&J=-e_BBnML3^hitV0J?y3tT_q=Lv#|h{B*1|A`4aNF4f&Bc+Gc16t3d-uHvXx zIZ+eRp@6#op=VmNnUY?^?EmQ5LIUUeguT>3KB}y0n@*uVgm8uYKYCVtB9CL9BwkTo z2xy&YRg#7)kfpE#q2bDtVm@5eh~8SNv<5|AR@hdl{K$j#V3->3Fxxsn)C;IUmh*5U z;-5a#@*UQiMc?uLDf`8t%YJuxg3TB+#AI>+&SUE$!ak7j1^0L>y6hME7*!`b6E8SN zruO28d>NXb3AR44p|s^?I?=#89+q~H{9X=p)1 zQ-TrL8|A`?Mb0?r#u)8#hv`9#MFz#9cM@o_mY3W83(#`vh3LYJmsH0Qe*qdm&7o#Q zR*&$p>|_;;q{fK^4bbFR`8B-MpycEg&g2zBTI3?G^iV8c$%+1%NI6EqXT1|>fHoPTOaT=f z-=9DOw3*S)+&vsa%>tP-K^b)H+ZG03G`V2RzGNZ zWl>vvT6JS%g5aM-^U6I?llC(0nN8Py$NYNJ<@HxlVVjF^JLufY=YXI`H>42uswC z;ermNyrvBn89_5NivMP4SGrFUnr3O$$~X()zK`TC5ZKUg2KxRw+U9Ad#nqp+bUv&A z!wx{bimRJ=r>LUG7Jy@NJk1~s4)|YcvW})EuK)&rsmUiQVl*`w;%{mZO&xBE9cCv? zwWd{Vwo!H?6LK+_(6uZ}j)lc)90=Jl)JLwE-df{nWNFpZAfgQ;5Hp+m|jr#cx3wejH!;D$mwm37A>-V z)7t$NxD49qVTqoiRLdRF!5w|2m7-hVXa*-(1F&;0bc=WQN8SgpGMBqLa zQISNPY$)cvn&Bahp8KBCf?oSkVLGJ+bYp%?815Ert{jmxhGzu#UcIPYgY|V8)tM_y znm*3zrfZv*!&j1VquQRo;vTjwciE#GAfiNRe9Ok5m5h&=AW52)Z;_b1Z0^o!^hO2W zM)m7G!oGvB=nV!h{~jsr`H>Q@(A_S7bj zF!UbflE4S-1JKljV!31$O-)KEt@bnh|40Wc~B1E;-QETfp2Tm>s^LyW*J;$;ILq@*_1 z#!xFh44>=3kpef>u_#dbD8@EPkv%WB?274|iH(M~w|e^G)-FI2thYoBf&8H+pfdKe zECOlo(Q3D04W`efir)VVQqbOnRXX|0l=(9{di1H&Uvd(I1tjnC4_*Es}aM#%P z)YjBnM|kt#)0eCX0Inj^beiCpnqFjM>>`{hljEvSLXs3|50w7|m2gb#WY9e&=(?$O zuFVwlOV;=Vdm{57=d&D}qHg|t?#7GCx{r^kz_}75QvyZ4f3_%zAbjPI_b|-rIO7hZ zsm2sgoZi8a(pvwWQp&b@yY84As=4b|kmn{0;Vi#kw3I72yUnxjplzH{7^VA|P4S-3 z6;+R>CKE)z^imWQMHE>@hxUH$>kN|--P)GQ>$UL)&&l_Djr}(@33s+#inIJMVc%NF zHfi{u6I-dBpQXMf==|yx zO!5P1!pv&Y9C#mWK&*B`o?29>T@@|!EDMmbF*4mag6CS-SxfhE+ixVkbH{B_qYA?Z z@G<+z`#rLfC?naw)C4;FSy)MWgqJ{lvBhGM7$JB0A8OKfZ{R9)Jmmi7RMkn^0AF)b zXk+|ln3u7{Mrif3?)*#?Zc}XJ6&D=9TGaH6ieZqE7leZ0mf>Bcb2r#TZNcl-I}-o4Js0{Vd~^Ha8CWpf+5YRavBJSZium^{fza+! z!r+|9ed|%kiq{ayMc#iQ2SScB8%F`W--fg0sfn43IbVm|AgM&i zTjZ6v4~Rce!E8v=)%p$&iRu5#mncxXVXHyY3My0^L`ohu9I&20E$us4uJP%4R8W;x zyrbPMVbyRHQ$deeMcOK>WHs>N?_$?5XqX z{)LRJHaqMmA;>uJ%F7h|%;b=Q$XUxXUHKI?2fe^p0tACdwbIW@F%c|XB3~x*mCxhE z%eob66sNWPC!DHMiln}8<}p|c=iC>9XxG)S>$yd$rCg0#&Dy5``FDhvw>`%F^TI{a ze)d+bQdprhwk0rT?$8j^hq5a7ay1h#^scGat0)#t|HqeDxxOv1F=-Fdtv9NwwfTju zN-;Xsst0}C-i?|wW6ChX3FOi`kkz4jT`{h85LVphp# z%`@9<1|P9ak^Eu|DWMHE#Lf_i*Gj7q0VMUnmO8=bUK-Ue2X$>`?Y5pyahJ+Ob9Id; z9a&@h7-RKg`yK zDF?a~YEco>_^X@mF<*V__s$Rbp)mv$?}8I}r9|^?+1wN9!F8|k6PVRG)%aGOR#+rJ z<_vV=-W|cEt8gCqX^&A2c0ZAwj=TT)F=emu_&yy+;C% zy2=CzW=ovrFxoEG z?9lNsJawGGlURh?=BDg6Z}(w-cG=vi$ZO1j$1Wlo`)2#-7&YXERRVK<&fC|&ZyyEm zqD9%FwPp5O)bELnQ=e+uw)6QsfW?P156B&Eh2dnc@%_dZ+7^r%b~ z`IazQCs%p;Qg>!uQ6hz_`++<_-6Rw*Z7qDInI9)P+kAq>-=8e2`Nrby&%@8RU+g~S z=qMRej0|>k-_}8aug?mOL6<%YLUFne1w!13!xP)E?#GF2J{uR|FVAh=e$gilYTtGP~3}t9|;{VXR1aVEwtm`Ev13CPLJ8 zypq=*waM|FES~GJeU4l#um4$T^f#X`AA5#pKpoTxC2(Amuv>psUKN;m#Y6#RS`A2V zO@*?|i)_d^0NW&_$vVV>+1uk*nO)hq?;eCxKoU#VN1`evkktlxMCY3GTUY66kps%zo1=uw*Q4{Dod+xLfoZQybMmJ9stK% zix}r{*Ho41VsbgEV5d-Im(cM;Z`h%CCs$vFS+0fUNJK69|J|M34gJ$Y(g}aP;P<3c ze++_W|Mgh|hyAG_A}Ge%VIf-F_{CR8{|7O_;b0vD)(DiMV}zv-r6xA*R0>?1GXO;8 z?xCW6!>n;N9N<<46i>mkIEj3M410_nzN8w8z9qM40#{E$kR}krlsNRkXTkAN2s5PI z-)Vl)N2D{FD#~;2J#ULDAj~9q)Ync*V}9OUj0$wa(KOt&kr7Sh?jG=wKTwgtp4Q4U06gG(gi ztW4q#xT{%uV*oTN2OqN2>N0wddrn@TLIvkAXZnaWJXUt%TTGNyb@c`>1O zA1gQIyEXsJU5dzF%v1{gBWNnQR4OS~Kwg!@LkWq1Px5qu-ZhfpkJlo1P2&C=jkw{Y z^PQ%-rh8+P94I)YwkLm?j8|_@_rOY^STapXc@a*Im{e0{DQ9caC5!x;q5CaI zS3T26-F!OQoaeyZvKok<3}nX6DpyNmcFJ1Ws{Szaif5k|DRraSU z&r_@XwB_{lb{{|>(N3gLiWdh(=dG=h($6r+_^inY0f|fBa#p@Mb12KK#>8$oG3`vnF-`%hu)&*H zW$fLdhq+n8SB39#3Csp_>jUzTr)k}QeD6D=CM*1C3c~KG^ysSmpp*PH9qg}GV&!ni z6KINzaS8FWoar2XQExIL(vW2AT$-z#M^xS?8F~$AiT0!B4BrY%tBFddAZ*>CdH&dk z>Pi1+R+6tL4@v!ZRx-uoj~0RE-&?Wb%Z|QgM51JCqRAa#4uA@yK~pprQK2E^GIo`x zgyB{fAcqPdIrx0n6^UGxy3Qdb4yB)LxV_5FC5|M_0N7?;agJQ!XfEQ2Q!6Z3hVDE4 z?H*MXHAQl!#M$qb@&C0Vfz!rlD-wW%TuCWktt=0%PS@*5A27u(8bh*QA)n{^W9Q{$ zYhds(~pe`(dLd0+T$Dh|CVS@^BSfeUoaUB-AC={XJPbpfFT z2WL|n&w5&2cP@HUaxCueressP#AIDsCgJy}@*q?Q=^g^RhfEj9 zy%R(#stafKro^QxT>ORtuf(Q48%Z_KD^=KSK-Z(*aWyhig*V{V+6Q4)4L?Iz z3m*yT&i4-SA+LSh%y7rpX)KulJa!{B_78Dok7<%vbF=K#k{ZxMa48@Un((uexZ}H` zKS~7N^uN)gruG#$Vl^|LjK}`_Y2EEwbYw}hpF{ySw1bSjTE&#rMU&E1lMKhE#oybP z$2_28S^2a=m{0TpvL#ilx8`M68MFknLzM(&tYS3DI>644Ij=%jK`_qKxNzzWQBC0g z14WROrlyUnyn@6{=@APEep{a4Vh+#Y#+{Gi_xusuW=K19EPYkh zTd^eHq|fv+yk?{p;_dYkpSXw!KhA+G(1E)uI=&X21frS6>8*h@c7b26XL0?TkKD~e zD-m&Nj~G|6$!^gcgUIj6-_{3q#3}%)9T1n4a03!vQuVvdj=IQK;JaWqcBW6l zgD>ApbA6H4dZ>LFUc(jFdIGOi;wh@&EczovnjkTnb<_{B8+LJm(aD~aKE{VH(Yd!L zeWAs~c&3av{W{jBv?HRjBLN{3!PKTyu9&FP5>qL(5+Qyi+xKiD;Qo}U`WYkcPRT3S z>???xuO?;WKz{5?@K~PgU@;i&3BvyokVVk}7lJy!%aH^!#oCyw-C8e|s0x zo-w>TCGMXRS=9tT`J+U}&`RW4$bdm_H$QK)e?hw?kG(YZWcVx+SFj^Ct0FkMgTC|? zTRbU?0(X3l%^6GuhqpDaZ%Wk*sG5T1Tm!n;#c3|6b&nfMdl`7!19lJSLdDf~#X;Vq zJ)I5&iU1KL^YBS+uK|1Ik=M26( zh_zs-GY@ofw83ussDzK9wk%rHFvAO;qRLj>PtQ}mwHS~l*d+4 zB-SDP(=NQ?zPglp5-%y+^_;ozlwY$vKG$2(L~f1+;l4UJ)~o|Bi+70`G|1r zN@#`Fx=%M2K(Qls*D_Pa|Exs{Ztx63g1m-6P3w##a$fTyrSj@eS~fGbh|Hs1$^m&B zl=NA_Jed=d%X2h>k#Q-)@~8n3Jgh_4e>9-S&^P!r$ZtaU7VLo8kP^H)#nZkGEKVeE3*2 zw?WRGQIRowIeK~_E~K;lP4C>A@qNpOkIz31dPD0>pa4onF8#r6sg&`$x?}V@B>toI zhDpdb4G0pM<);49#&h|z76c}UO(C};sdhtGKU-wpynx&DOJa#RHv3vmzFoqIGXt3lGHT2o2sk zH9#l*Ut{*felU!1!02d2QC?yN7Rv zNBP=HG6F&(Y!}mH4RghwqpEm1q*1JE!pOu$%3T&8ch9nG@W_2j!;`PS+l%_C#ca-* zQ_V>1Q#y#>73WXz_txli7Ukp!1safZ4w-5=XCjHA3x=GO+re}dh#rJltxV;qVLrF*YDyeB0yj>wwsxf=U+)^>b+cV=HhMJA~uJQ_zx z{lKG9lKDrP13AxlNGXdWaVcvyIRTrShRkJUKBrZ^ShiKGdSPL}##H`BIL%oMneQea zJ~Hh)A7%}b)1%IUs;LzAD1sIbo3V|v9KR*&ZnUw(=+FM+NliT8tC)qz#xwFam3*%f zFmwiDwq$$;e&eUj$^+(_1n4-0M64gMLajh8X_(|XY>-zl0`@gCA02wIx1txFNLZd0 za+CK$ONpQ~4pjq}Hl}l}lk{CsNGA20WE=ZKLvZ;F4#Mj@y-E~Gx$W*4Rp~Epbk!sx z3?dQ(w$e|S*fyWe>W`zI-V8*~mb9?2HjtmHi!?PmKv%4Q`U+-GX4KgN=q#$|u)=^P zSQ4H}ppnXoyic9Lwn+#!w*eiGB(2WDuqh*Uy%Bl@lBo>0Rld{)K>K_uNrt+&y;h); zJXe7aM=g(NP>0Oc$KVSgk55ZnRUZ_COl{D{P|Iw4HP6`I{3adP(FYVLR{ z!BFw@UtDXO;wqqdJ1GNkWx2M?bQmTwhQ&+{E_tBi{*Q+=@8v4F5r3srtF@|a^j${L zD*z>2hA;>t8GR;~e947L4MHeu1)8~DT~S(v(XXYka_URF4`zF~cNrCUMFxl^2z=OE zO%d2OICw`S?hA+ot3}422a2`Co{fz6bPv3hw|2|r zZnM~(^Z{JvFG?op%x6ogYj-a2G|lJ*Uqrk*x<9*S+jFmBX%C21Ib}0Qn&po2?UdQ- z;=_D&y3leUPQkrUAH)p=`gC}SC=!R0S)9iCj1B?(4Vd^e7l8NNM&&+mX;XTn0Pa+F zqugZ`7z=Dj2im~7y7cVNOU+__>MRS8S^b-Rlqci)Wo^qQGKA^uB%B_Jp<}&sSFD9^ z*SuPx?mlA1I1z#+K~$**n;0o+^%57>4iLmbO%Bm=@8LYV2&4aigy13(2s1AxLg&55 zPafZOO}MiF)S(IXG_6W;vaslr+EqI$;mSD!96S}la3)1-LH;pd=j(eD7x&!EQ6iFnf zk(AITlbQ();_$=5LUTFnN{4Fp?X}8n=3%K4-FxJJW*>J;|II!kq|vjFiJ(QiukSG> zCQ~31c4=Zs;;0(fkyq-M?>s;8jYugMFz~=lKniKaa6gUM^!8vIolmMX7zCLuRc?iv zH7ClUC|m$;#M!uFFfE6#n|7PU%5@Q2ORC`^clUw<-I@Zx8#V}5q5`rea3y(M3}LZf zfhDGe5S^Iy6r=qaYWIeKc5b+#L6OBoY}Bx`267>Vx)=%kc$2Z)J>a?MS}o%b^Av6lf)=dt&Fl&;mtJevr$opPrQ%|9z#+5%E_^~uq(k6iF?j?o)!w!Mz@2BxOap1 zL!DGa`i61%pRN!6oqg2Vq83NbKCWGfZ&^_hWp`ELae3Qxajiu{amGTsxTMjuk5nSC z7YC7-@de z7u<_5&dZrTbMCfMf{5uxF2BrzU(VycfHG;AW-|>J8=UZ?x$&k$ z1j6J=C1Y)7(XdJV3ju6iosQT2GipxsS7Q*xJj@C zh~?8XjjcZ0?wE7*w0+0?uCq-gHIP_`7>n_$aB4#lgVDDs+GFqsffWXmu~~16tasQW zJBD}oOIvVv7(EGY;3rKy9}*JHf>B86cPoq~zZaLNlvdz3SLi-KYe-i>LWv%S>~wKtEHg)XQ8Jj)RJC zWEkxKt)z&_EnKz+uik)zS)={Eq9vP9!{o6b%nZT5tBzrHCA1AqVSHW#d{h~UaqYx? z2$BTZe+cAS8qeT%7m_39vo?>2V{cbBZ}dLK6NJFhMYu3*@w#-nTEN96}yxa z+3*K90~EIyvvTv%QwZ$tVn#|K%RgQ?dhH*~fpj93j-WL#{z%Bo#dWwj9mDLe!tDVofA1F2oS1QX-bF zXj)lb4Px|Ln|rpf!k^Wzyq(GzB4R(+lyTEE76aiN;k_RE!%lV)Nk2PS(!0s9!yjY+ z^&V7RE_ZEV|KmL*Rf#tcsp?g#IT*yF10-uxGQ`D!6+D7!KyT((H$McCr9G0G*kyJ2 zEKR@OKcMvN!YZ}0E8PId>6Go4d$!Uk#3!)||}N9SMY z(Yd5jY|B#*jn=;Cwpc^#$F&>vfhew~#O%Tj%Xm!DD~?vvFJ_rSE||XFiIHxSS5(I+ z223-bAq-D}H5IQED_$+fi$_QFf8p+qc2@b_s}`*qQS%!wi(n1Tz&Oa@r6uY$M;3$e zhk2ky3o)Q;X}ps++VdbvdOAuvC}Q6>+JCqESxD^=xY(F3Y#3bJSrG*nKf?di- zG<4~}npK^MQ@;jAjjWup=6eO!fQgVma7DQym;?Ud2kcR?6i)s!5CMhn+JZI1y+<51 zCNU%|F-eRHSxeklY{o<*I)t=U4Rz81PJ4&4L2c~X1>&ANzKTN%+dYc(jLS0}jf<6p zcn96+In_8?eJ1{bo@yZ#sgdzqdeuO>jV|B);q+h;{^Qr=1u+!TJ#8lg3VK*vP0}$K z%P-IeAv(jP!?uh!dOGtW# z+;LHe!syqHr`Fh*An~=5!#T+{i<~Tv-b)I`K>9RQ21}n@$BjVDh6#pV62#3+&FsS_)*Z|@zC9_jip#Ql8qy+pf^$~N^)3!FwWnp8P*yWvZLd3c z=8vKsE>F_R#EoH2o2ExHAP|`7(dQL~T+Rn)R<G-ddN^7QC;@li#bL`35iozVSLFIdj^}W~KYEHhrKy%Bo+8(Pqyt<%$V9U{p z-G@4_b=GOGQsMw`L$`{5M*5pr8c*M)ZU<;tBI^8Ob;8X^b5|>F9iauJn09r@Un&eQ zjk^}#6G5aIO=C{5BKxkN{~&?jl?-C5v1=jfVx^nB+$=;c$2Yk}oCdYM2165ylz6^@Cd$bhhVQTkYItC}@ zxp13|$ZRjYuJbKL0y{#q)=u`=;3*61U9xbeHvcarXx< z`2~3WE~}Ma$$w1fHH)IL?@X!JCV!ldM>8BzaYPT%`jD2~yU-zAHFWHJ@}n3)-PuKB z`UrhKT&-qTWds>6Sn>xyMkp%Fzkxa$C|ng|u6K$M&TBov*eqIgOXK3;y%I%niJC7O zw6@wlYZksO;vdAQb$sZxrp6aQ=}lo4k^ZQO9&^| zxVPh*Gty-z6!^k+#(5G;vW@Sdy-h|Eey}5fNKK>4t~48+{V29S0X-w@PxCHeeG=C_arz{$K6{X#9G6ZA+byP#gp%OCL?2SbUaK&;&(bY zvPpz=M9-P$n7spGb8@6Ej{5fVMmU4x%U3VPfhOg$pT?EaFtdTW>pE*+plXEtA=tQz z40S_uh8hBJ{u37V-rIq~MK#(ATpx_`Z+$&r*f`#EUenL>yf3|Bc-SAT1kWV>Xxp%9Q|C}a9?aMGF zUYQ^^)WV614p-MBN~C}va!f67)(cEJ)>iDEQS&z=mzqCM8Y)Ousyx=S(M}Fso>|*U zSbhZGIh8!$z{iH7vBhG*=XD)4=);V4sT(P!8~VVxMc8vysogB_ zdKG70%P5s74$aC>?AhiobqM3v%80$g@w5mUv=wA9Hyv+8QJeSsn7MB0H^FxuW z>xB1}WKV_ODy_HIm8_d-2j`Wug1WLi-oa|_Hy(9;m^~d>EPMC-<79(NI|n9Tk7)$I z>>GSf;<((4b;%=NGUBJzlKvJs4Z|?b!_h&x2l7I}9W%y8aZd|m^_R4MzNI!#Z6A8O zc#Tt(@qVd9QW5xpB|6#6s?gmHzI~lcm~HryW4{{9sjD1CL_N*{`E`f=py(04jg__A z)pG3F%qJl%Y=`ay{82_s5}L^~IbQZh#-S|@nfZwKz@`9Sx}zhuR~MX~OLqpZny-_g ztYr(>r)tjfipXCPC2qpU)3<>FAs?mQ5bOxLicomg_N6u?J~L8tWY?pp9;17J<1+tr zT-YD|a^MSnZfJs;L4cs8C^+rg3hQ@Y{ok=;ETx(_TJI{-`!60+ z)~{%deaxNuey~jFugtk~+i`3G|Ejk#Z_&s{1eKbHVhw;jXC`$l zxdD>3-XASoww>7ir}WLmO&&G?Ws6g9xB2TR+rljy-b1Dkj6 z4rsiy@T`^Jwtw~4pGhLy*R*>rPVnbmy z;MeklGnzc0sQq|7o$$@9_3 z@1Hzh+;ltmf1T=qZoH7i1QNca{@(SwC;Dxsc*}GC?B{DNxMeBQ?!&(OPzEQ7;7L`Z z)hI91Dxb8D7qP0klwzT$jzP=Ok2GK2zf$F}TZXf&c_UQZoyX1eqkOnHw1bqHDAp7_ z7N66d7-L}v*1x>Jea(Wm=FRF9j+gP2n+gp4{}?;(t|s?y+our%Lg+OCL+?oMVCWs` z(o~R+)POVr1EGW#dM}3F1yPWun_dM0=_1m*h=_=deY5vDXZ+6n>)yBUjPZOwYtFUS zTnjObc|1xIN8u(6n)r6ie~v<(iT zCl3u3J|d4%%M80Y>Whol)@=bcYR4X&#tD+gGl#m2%SFmw-m%S+CdXs1*W#{#fGd+d z9=u1K?s|ac5>0qMMn{k9AkZaeG2tN3Rxu0miHFT8moG_AAju={n*e)|f@?i`v7|oJ!OU^5Z6(TnOcv2w#Z-Gc9!8p!r+h*&?_iz+9>bM|!D2qewV8 z?oKV{y&gd$Pv4G*u&7B;f<3gt6K;ma1m*`KdXXE`kKYQU{Mt*($!- z67~>K5PaML#4X@GtP?`PHOLd3qUL`S`A-0CtMJXth{q4J(9P zF|BM*OGr19)jUdd0CT@B^XGS^|OLl zqwc_P=b^H0#9TEBY;FhE-#Xe_CK@HmcVNOt^bbU(^O=| zKOlk~VAt4XdefasRiK;(mg>*Ahm27YZje5@*y1#ldN`|)du4(XPXe`JHeSOpkMaI+ z5dAwKSs{dp(`fX0*;_mv->z8zZa>vnJK1e@kg=lLNpfQ>7Zn;(a(- z!@geNi`zbbeA@AwbJ-~P>jtYN)e~a}tf)O}sI!SlN#5r-6D{)YpCbAtJZ9YARXV3=Q_EoN-2+KtT_2@nKUXJm0sV9x>f@~%l52iKf5|H<}B*`%G0iH zc=J&{*F}IC&jk6+;^wm*ll;99&O4DogZO6&xyVyemmp--R{Ngow-4Lvk<&UjYGrgb({Nlji}1ZHKR-ysB!Sru>QPHjvgB*6N)?y1wYpoj&ln8k&rb$)6%^Td_-v*Y8~L)i<%_Bs zsFyOv($_tKUnSbwfgTQ8GnqfMazBCPcTBSX+3J!cBRv%$1+r{lO)&Gl6?-#A?f(5Gg(8k=Nw1 z60%Tw_`s{)_Q&v>*`8`jC)@{#W!@sHu1{Ha>sRKx{(9Bc<31yN_95~8qrevrqdISt zIKmT@ld1x%zs!KnwzqZ%Xqx3a75+Zl&u6>+y1PS{M{cQ5eY@;@^i}`s{aWKq`nUC) z5cuN1%vP?~8 z3^2+Q{SqePRv~%Ky)p3RdFpBOl_po$a4b}2lqUL$odMayZu9C~ax(fzv#j|prtf-t zOWc=3J9l%f!9O29;TLf>gS;VaA3CSQWF9dvHRUT*r-~(SkLPXc@D|-DB~Nh*%DAeR z7oJKzbTc&E8slAL5m4GoW1pKpoH8#`B&39g^f+^V9TLfLSt{N0WbH}4=-!{`$#`4Kgy2o&4-;~+lmkq)9f~+n%d=g*nIEpknWXP4g zW1CYrjzt9xY!62gIU#Jf#NG21FU(_gTvj$Q?Sk`EH3>`Jcclt&>AtS~TooAwPL#c! z+;)b;sSE9x;&$5e* zG@O+DhnA}fu)YzX&{Uy$Z&5~36{E##CnWe>W9GDMzsNT6z@&fK=)v)=(7x_1lPZ1T zM3bO6kv2iYlKcYa<-p>(qhjIIQ44&zvG8pUvq*6p%L?x24IjF!r0=ZH)hJQb$jR{3 zt!ox1uJJaIRSHTyz8t<>N7 zHZes^Gol)Ivb~lL1t-NGjz02GsI!|%o&}vT*UrcBCK11`4XWil2_ITi*xy>6J6q`c zJGJGpq=IAHYIZk;iNF-?AlHK{%W~n=7W`QE{9Z8%8cZdkuiZTsu=?`FG34}dlhWq3 z{)Itx8xQK}g2m7M|$k_3Co3SXb)mRP?!yYl;!%q`;`R;K-eGqOxYxB(wyK2`FpuwiuyD6Qx> zts<_J7yL1Q)t3LmOknvV02U_C-m3@Qfy$j0qw@QD50jtgHN&n;{W`jrx=YA$ZuKCl z{p=GoKA@BHkD-P{KP@;pW9s8?H<@sG!)zoIbMn5#B26K?+pw$ z?pw#?ol=d3g>laB&&wiD+zlT|9bethzA<_zHely@-oCZ;+TPuNk790BQNF99=_u%0 z@k{yPV1f@mwJUfzWu0?=;EFENj|IFwQhxV49<+Ayu~lAaPsKk(dGXW>Bee26S0TbE z$_vm^M8^XPpT3>!GZ=(KxMBTXGKlu3AN^h>Q+nBj`1CbLx1+1!WCNN)@CQ%y1a1Ko z3r4PjN`6Hss69S^tNS8)?kRJ&p}2ehLn=9zEzxa{Ymdezd@(w|N)G?_QAQ-&`it`v z2XfvPcR>)ow|rGy*;9M8@`y7?2d3JVf8%#mcdC>3QppgyH{O;}R$&(A4touV@m z2P($G`Lj@QgTJ zPcZYBm`wzecbJq94z==$$4Jm|8|5c#P%{-Fl~xD8mhopW#y}rx%(=`|XxS?TB#P*z zSDWAlMe}P&brIBWoKAR-BCh;iMv_?45p1s7qoSVL9PO14f;st9BZ8039PX#>KcxJ2 zuu|(+(x3A_$HS>R_#6EnL|Zek#)-;?@6Ei#Y!^O})Ao3dVyiZ7Kuf&k;mKlujWmlD za`5Zg+YD{PKXfm2eV(fJ)(5wSJ>RP$iEDytOOR_bBc^6Jr9<}UtqJvLRCk?}@6O$a z?hE$JUY~i=2d;E;y;g%3%Yt4$*rk3Q89G{C+vE;eq%-fw)Yam1!jr+D<{UQWz% z4llEXSf9WOL3KfXCm9i?P?5{MvczGC4LiurX2CFxhuLt(xg;6}P}~ESe-oOIVC3bd zOtyR-x>oRTv(44qWa!kDRnk=9BT@8c{zkFGm`A~#q+JTmN*~2TLG0JM3POGyWt>pB zZ2d5=w@X0XvQ+v{6S*6wr~kha@$_y=IT#D zm*RChA-}}C!{n$Zgq3>n?ho|_E>Y8&+FX^-WPdVO3QxcEd3kk}U;p&WE}7#K!rG&N z{_4_t@u#2KL$70gcrurHR~Wd9j|&$W2t|r?7aznlaLfo)DiJQMUmt{5$aGgj*|!}g z-NNQ--pwP0`YHUngQ5>jr@u~gbMtMCM&+*VcghPkHKnb}{i%5P(5aoJ2|zG#dL3Ea z@aby!kUP22RAcI)rEefuN3toS6rrznMXs`3CoY64ETUBEZCNtsIYs?P72(a$qfbAN?!WHwq^bI)_+c7fQJS#TEil_0 z9cE_yb=1`Ew>9Sy>h0Gf;}9Qq%re={7o86$`2TDgbYp*?5TtK1`fX+y%Qvkj1oW&3 zi9|-dW9$v|@M>ne8*-i(IQM(1rtO!RBl3;&6Fb`PrGq6VQ5Wxvwzz9w1?=B={Ql_H zxdcnB9^;Sg{ReYD9u~hHRji@k*k0)+RvJmc5IZYsEs0o0GEF+0q z8d2<@_8kzr+YLc^Mg!jCXqRko&y9_!^Sz=M%R1tF=RY$DUVQ~$LEoj5Gg zRn%~gF^xNhIDZF-Jd5Ff~5-%u752(G;P&6B+g zB|fxnE_oz9uh8S9{^vtWDe35s#H5hS1E^n#i;4^S`>@`s0$1FH0}rokmno-)Wh`AW zN}VmtG(0{tZ8qCgLN+`mt@U|{HmSGmgER9;Vkq>{(o|&oSt4skpY=DDr})>7rrSCe zWmw)l=y8}CKc^Eo_qTxDu+2@jm1%^Is<8Qd$GaNPjclU`7uuNm7ms}z!kDVuRgDX$ zZ?@7sQC&h?{9XGFWjTXz`H(B9?KE$9E5LUhf?&OR@Qt}>Y?v~e z2+$*Ve$QWd*Lsnsr9L1%q@+E37t>tn$_wCqu;Njk+xGU=zQuJmaIlGNQAC>;XW)C> z4rN|v{~z%ni_ln^cC$v!N-?fG>9LXoTmhq=whPU*)h{Q($<0+99?uUzui*j6RiCFW zk-zNQ)`Gg!dqr$-7U@gV%Ltxv_=SF&SUD?YF%P@rC;sWX4Zvclv(Z(HQd{NzwZE9r z=660LWmla}#PdpTSc?GeJ28VhpDopA@o}ugh(_rbp-ZXpPR2~{8%#8t_Vp0-RcIl*J1{t1uf6074=6oyoazq*~ z1=v>JKA9>Q_MSXTRQ+{}Kk)Jy03cCpq32F%Ns3cRJ%Wa#?`t<)KqU7a@^1fj6L@<$ zoA_F$fbGtXc5=w`r1%%^_v*LgZ-!09R|itczVc#yVmnxqb7X#<4O%BISDOP5^yN`; z)^z_ll*;_2!J-4GQ_M1Z@c>gLYrM01p)`}oFIgypxIO24(Kau3lov?t?jEu@UBvmU zBX1l($(i$fbm5}?y0W?T6ZUaeX8DS@jhZ^e7fZ|5epMgd97`myt@P$zw8`7AjjJ)e zcfI5N^l#*T$luEE+^YA=zfe4o-DQ~t0{?^mKp+!<4`BZ<{!3s;z4Y}AoNh6MBF4XL zAi*hybxEsFe<+5GK}kQ97vGPg(Tp$9JLMiu1v4leFMTPCj)U@B2brE#4##%HY`ZMY zmPJcAQJPkw`_yL&WIW-6eCa|@Ym_)nVujw-YFAi46OTNcqgbppCB-u9bIrXe0O!m` z9DaK+)lBbX-V^@p{!Es4r$*dSpx{DWVZT=dRSDV>n^Gl_gVupS1qxIWY&c`IJKhms=jR)TS5d2}I(;oAw zwlw%r@?2ipaA>-a&DZ-tvSLhfqI)J9c>v+K4~!4csQ#%3N5D z&`KqzCL5@pP$7M`I8(W{V*{vYq@M>zU#V4R-z6Nrg1xP6+C9*s@xD0tK=I<~VX9Jx z&ZRI}^GSVU5!#r&J`agVO@)yNCWg zqudiB>=2felY*a8tF`iBv)utSkcuOB&7>IR`WJJQ;m2(Y!9C(FuxIC={%Vj_5(kWe zOr@;dq9aF|~TbV>1XBS`{C8Avr4H#dEs zyDbPj2A$TL6yq)wXdfyU-fMqR{Zto+xUYfxl{A*NYK*zuSH*8FV=o}MG4R_Bpa`` ze$DfSCV*Uj`R{%-TIb-cokrG^-^kDy!YArGjy$Mij}euXu%-y42&aa>JerPM!UMLQ z^TQO@`*(?9OfNmxhe2IswyDqlSMWxszVStkC7@%%7Q?;wJ#Ly`KQ;MiXD`sD)&50) zVT#)W*i!?Ou3hqPanpi^HtuaVK& zbW0jgC!w}kd05r|(*JgX4{yBliS=18`S=%DiWZnhI6+sa)hlTud4tN`Lq~=vN(hnR z=Ke7%!s%;HSXM53C9FRrM5suRbQu(y)RoXE@1xjrb|t3_RbQF+%}NN|q-kR@5c2wz zFS)&i+F~_=>dZ#litZ`|AB?+@(tTQscc84Dy&l$?g`>Px)2)hzwmO;7cNnX#F7*sB zg?{Ppiz@_fbfb%Fa}G9R1mtkVXMXl zrMvUL-)Ah455NX6{Gaz(kT#FO0ZPYBMGv{1E}?E2iVAJve#!%76LuLj;~q*QmlfY; z-Hzu^Hz7D0Ew}Iu@KC8nsr1hhvvT21!*g0d7mXBFgz%hatH5}+1k2r6Ht20m8Xb2| z%VpZyDb%erknzE3wL!i>E2nYTbCh{?n9Mi4aNDLO!D*KLlX^P8d9-k#xv_Hk(}m=_ zR>P`_?cy5wF+T`x$t<5U7@ThXypyuHzSZa5Cifav;O92-5YZ5HAKjES#^_l;jM&C- z(#9cZs4xte=&UCe43$k%t-Y%#&&`;KO}V(O8Z(CT_bU`%W=9rFOT~+nW*M9ezAvo> zDt{PD(YQ)@Hks9baj@4!^P6%R03#{AiQ8{8Repc|(xyh<_a`c9hqNTQ`se`@>%DLy z2if&nV5T+X4NzON_JE9tDpu_uj=x^QSP zgQLZ+bXnM6jg3Bu7Vu4oM|-Sya7VAr3qDCtkCUv(Am3a9XD;0tt;o0uW!s{Vz6eEy zD{3$g5@_Q0IoRb}6F%gr;tQ&CZ*o2Z1_(rqZRfkplHTXfiFLcUhy9(7xr_kX+FVs{ z|0+TZh$vX5!QF|1#l(!dM+kHz-pMR#tn*BZw?5n>BoBYTPjkaA%!9Q^l>M;OIrxVg z>s5L+8+Sv6n&)mq-Bj0ZDFWhoSd>3iU!9+la@bHcSXRIH)QcUlU4-bV@2{?B?&=Fp zA=3H0NUx*AQHIBl;-4=5toLai+a(Px4EZiTXucgKBHF&j)ZkO5075iYRPZr3!h=JV*J#A#Kc zaR9;i>+@glHHLjy*R7L%gm3))%OzdPxu&(83zN=2CBbsY^MvVWslh|dOmWmM^kBAbI6~d*T05xL=Yz(^e zMRN)DtFU3JCyU5sXCYpvvD1VUf4O6d&Al;d`XabP7-TZOAca+N#x7IHoT!eI`LtBw zY+9i<5%aCS{kRWzd!$@(^P+L7)x+xoW-BXf+avjBcmBac&C%}AuTybd8{&n19^r3f zlN6+uc}#B&vUb1Ra;b1q*pn?_d$!W)&*v*VQRu6eQN;Glq>IHXAJxED^x-sg;M05x zXGpG5*t_@zlW>;2Cgs-o%|^c4Vxsg4N7Oyf9$1%ki(YW9I2(CqibdcU)`(UvuCKZ3 z%qEK(V-{0CT!bE{J^Bj{_W7K#p7E-k)CaPSW3$|3(^a@(pK( zm1<6&5nE>Zxc~heZ2)8dq5!#nzb_lig;+!6jCAn!R*XGOPesxy>SymKM&}AU|E7 ziEJioT#Skl1T6nNK#u^oU}7$-ZRO=%t9QroIL11r>xrXFt$a)5w@l2cUBdKqh8-z( zG-C1E#oZ28*!`JSmpI6CEp(LQqgqPvEk$AV7wU1zJHj4$-p_!%QUarj)2Vkdujw&y z$J1t;Uh}kA?Oomv6d?0{OY* zSyX8PsQ~cpbl3EehO36VuWV;?4Ps|&n$Ion719jp1MM|-HXL%DrL8G$+y%jrmfNIF zYRznkLE57~kk}wCq?{#Ff|e^7Y$+Pb22c2Q`@>@^M?QTD1J+PS>2S;1dk-tuTVnLl zm6Zu0c|$d2kN-B4>;>@Q@s4ml^C4{}`V?ZJ?vqjU5HlIjDlSRn_sI45K1bOh#=Ocr zT#RMpv?C)AtiYa$l|pC8=VtKv#{!w$j7*A2|5^UDD&R9Mk$COCs?dh$&Ov&I(RBe9 zyV4&|9@9gzm^|p0)03I6MFHGw@BR!~spJSdkFG#abZzj+seHA8+f!G^xw1vavd3SE zadAj!0S0DFuX5RR4RrPPZ1kr;;8&5b-WwEhd333ZDp>@<6r^k#i2)^gCyCo@69j+?1} z8Ld|Xchw%^s>W>lRjV5S7GlGV_@tO%eagF*4jv-_mba!{8_YlR4IXqRK@>qx!}rmx zj@dc8`qCX9#;gT!a4ch&ncd2p^s*In9 zn-O29c$#jW!9OZ=SU|g^_oZ+jT?YbM)QOpmIQV9eCIG^M3IzgJg1%15f4D?VaX!sU z)x7w=N6L2+g+X7Jqo>v7E>MK8>YHd5Qx0Gk5D41th5U1(*~?6h!l;GWWulnd1_i;v zd^CV>h5;04tU0eA%yK}(0-XZ}`D-GmO$!lj(*TO8_4uSwbQ*Nwg~A{g;%XI({bAHw z{T3bTW$%Qg5&ja7^l*N3r*H$(K7(cR9-wBUO<6g|g6QDWp^#G`b32Ho(_9cz_-`|dPDQ=B(h9z7J9V1h6+XAzCO;c~z zLYdk~>5nNw3WlWA(pF$J<+)QzX5xZmxD0dX4`K4sTAf|D&;d5R&m0UeH2v!uvJg`6 z;+G@b=F>q!^uALz(`>?>4itK_z$gB;H$bsnGWzb|mZK6Hh_YFvCf#16R#6{`W%WNoBoDFUD%!R z1UnUEodI)I$G7MdYPIFPfl0QO&Y+1G_d_P0!C^9v@zk|C;QCs;-jrib)UUdjnS+z&coouj)7761e+qk?0%T-ZfJ$pN zZeRe5NNNdkrmRkCOwd-6fLnBWXAO*duAFio1wcB!aRS1KK=y?IaP<;kopOC3NpJ+> z60r%XxxCpXs42z@0BZFr09T0W(*S>OxX{O?eyJ;eC9+eP=v(X2J#T+Z{VDv`bnhG3 zv`!(JKS6*dwAY05)Gwe|ky^f&IqMr{c+)q9Xt{I$0(-K9 zOfflvwox6!9dU7246yEOrqPVsP!0KW-nx9S!%l%dqh%9Jiz|k1zvx@P!NR6BnZzGg zVNjrHEJTlKq?3_&E`n5>?9(R>YX-i{Ws1CTX6ng-QLx+{i+>|?eLNG?9!qJhPgxhb zFlqloR~Q_h%_I9~cUVGgT7 zC2a`5I3KhAhz~nNU8A410)4PobY?>Wda$!I2XqDDTA}A=PS+#hhU2^fADC97|dkG33)4%G?#vR?a7IS^^X_!j-v{A2>S#5BvAD2wRFTZ~X3BN5B zsdAg4+;HW2bkr$nU$T6H>iX9R+Z_-^wWb`-?`bb1pCd4l0z%u8K#E||G*N8Bi}q1{ zo|D2MrbWybHX@cJ?{Pj9Aj}NIUZt&SG znuh;;#yNZAQ4CzUZ$nFdZ6p4C5{rEA(M#1Hz=mRkkS&iwDT8|DL6?rkBGD6)7`hZG z6%Fs4(>_iwGqiR`G?GDY9da@ZVC>*Q1k^(18%@4-qRR2=C+`LvdNf^l@SwNMFw!mzF@;i-v;v1B_+C1DtA#STQ_^RNiSEl|PY5|)-D(c4W6RAYTdH8gDK@7gF zK$(4QBo+%2h|)xoaC^N~vRkBGE2piVjKbA+%rGVZ+D?q-*hKZ|x@@tRuE$bbpp7D! zM8t<@2YB#~vbJj*@Z28W^I?g2z&UqJ`~(!TgoohQd0v~PKCslxRzoLnPDjJ-h+9_f*P!ooP_5X~uf<8VeCMkGatW6$Izd%k z+3^5)aDHm~{=Tc+?|yg)mMSf~(Unt|XrkR)Mhxi~=An9Nj*-bO`nWW}Ir>E-SjMN0 zXQz(yLodi6UZ&D2Z~(F{5$$COjxLfRr)&%8Da);3U&gM=n|7g92#!=q3VSd;ul^BF zFkGi;SZ=UGP4KldbO-I|_~bi2BwI6utEy@gLP3hsJrv>r$X zh^xfQ>xw+K!pWx(-W!LA*ilh^yk2uzfN+TS$uZ0Gqduw!oTBRG(zISj+Z`GP1c4Xqi}!E+?%W ze!!T4?~TCaJTxRtrUCUn%d|c>ee++2?hi?Hs{q*tZ4f2Afq=tezy)V$WtT^Beq(E_ zLl5v;73vHTkxtE%yVdrV8Vk65;J)Lfkb-h{n0nnE3zx#urjN$vf$?F>f$cNnDhJcKb|lf-HtbBn z3-^Vn6=1jKU3(q}sjFj_cB-G!@7UIOXpwIpLwpIb%GaEY0f z4Y_dEjnYL8E<2KVoX+Mfj`sKhlrYuda!s=4cFT4NR6W>nM3PAZ-2WBJPLYm$o|c=p z$p~72cNw~P-|Z^@wBrRE>u8?>4n1|UgaP{dL$g(;Zq(Yb;s|wpRytP+0G-7XPp*Nq zt3C+Ne%|F6>bAaS({xElN(&2BJ^*gT?43fS;WcX_CFn3uF4gM+_Y zCJsEoCJj42bD$#Iz46NoXkn@uwm8#u*%^)Fy!GP+A1(L-suiEGF1RcJzw<5G23^1J z;h#iHcY`Uwqbx2h0Z_=r)CqA0bIFnJCt1n;E~lvmE7#*8JRQ%9QaslT$u!E%)TLMy zsd{_49s=WM$6|uVGTP_`rTEm9&=JklYL8}(QfT+iEY+!)hvLTUkioS{N$bR~Fi06& zPW?4wBbWeKc9%k#L}n<;m9}cgeMr@(iQ793jj{YpZAxom`y*=rkrVM}@`^KUZWB%^ zjXjvkHOw}f(7Ap~5wzOb^F4n&m2N$erj+(9{w5^oow01&TxP1W^qXEYF}n_nc=0a0 z+Bc5#c9{=W<-k6;GKtXuY&tDKUH+rW8BF=n@fTw;+<`eGUD?}po%iSL*7eD&7jl}kka>Y4hk^jUyb$>q83xAt3RAZGsjbujSw z5@06(nkNC_ZFvoojf?QrLtUfNh^yG)jygMvr$M2y@>FGP{G$eUbIVz7ML0v1EC#8@ zzu6C-dyBFeJCKW>@QW^e+LLwYNB90sU zA&SG2;af#juG)xk!!@e4FR3Bk&LE(m^MNU?iok5kEl{+fN@MurG|cu8$e$bw=Z}2e%>N>Nhxu05YX%hn>O= zu=l5GT}ug9L#?c9jB^_9O+7g7VSu6JN;x$et$VO3p?tk3ns#$P5xwpT#+}1p;tsAN zAA-o4TT(Mg_!TRqCAZ(i(5Uq$QnW^kg{lq-fv<$z#L%PT0c%c>-Jk*1SmIBomrmhzeY9hGDArwXOM z5wMkQt}}4}RY(EC{X1~-xtDk^%Psb_CC$I9YZ4B^pd6Nt)mUVp6vHuMp^4QMz7L$&03#|fMUJ_f#0dlvGC(7=AK==KgxN~{6=NiGfv>WDwB z?_&VZK4(_{Qy>6wY%=KD9MLNx@KG&Zx2FQxd|uA|rcS!aEr zf~DW{F+u}Cj$+ZSiDQ6k0LlrGkth~X{h=%7j(BGPgceA-JBtF4^k+1Jb{*tb(TOT` z!3M5cx19w;Js*+yZ0h7QP2%&Y1fNjih7F}-FNKUB*!!8+hp4mmr==CIpZy{j@#vIv1kqc<8{1xgcGIT z67JgDOE`x0d**su5X%SCxN5b5kv8joQn4W)t&X$jUA==0F56}(qBr|*m zXMj+&UU5Y4q*D2j0Ia8!5PJ3z5TAlVi-qu70Oh5Bs8 z!8rzP4SEsJ>}Qar4JLTmZoUfBC|7qfH4kYuBI&Mv4ov9w-7y`Kwx-G=Y3uQSv^C_l z=x-S>q$TD`kKO$KDDAFg^z^Xzx!{8s%ejxAPB>h03i-0LHcLIUmeJz*i0Pq#3%5(PikA z$7!;G2ip(=a#Yo8O=uJyiYcrTa$>}^=#oQ`XjOE*sRQD3Jpxl+ z3=gg~%n+eBgMt;C81tE>(pilpJk}C%RQv&?{0?}z8+XawO^I~sQjf|wW(iL-9k#1% zlKmZ9Ao(p>O&^F8%v2Di%;Z*hgT=wasVWB?8+Yk#m>PW<1@-=dooA+YM}_dhebT`CJ-x?>E5TH}c(JhE|ZlGjSa{F>tX9_fKUzAfp>OyYa9k;@-iK$nH; zc(;5kLsmhGz~F{#aQXl>kLf>nr^c){1Cvf^Y-KW2;U}bL5rw5O!p7-6bk#wRl2Kw% zY}b#=m}#@udFsCqpd=4`6GKq$`A+SN#{sUmkFRN6(C5z(0UR(FT`)WLuYIc)QcjNc z;64Zzl5LFWJHjz301IDLn(F0-;putyx53Uco{tzddN7fcVw zmC8K*g?d6;Jw~p$PkC;1*zW*9wtaaQ@C;S(%;$md2p}^8>#qmX*~sMa2Q$tsVbx8D zEZK8F6lWjddTY8zr=ax=T!YM7gOp8ixdanui&GZt4}ag{#2AMjQ|RD2=$sox${u$pV9Aj|4k(8pAr5nY>H{lH0Lc+ntS_4kOKL@~HE4q`{1xQ0o!xm@aomuuclOp()C^cKE5R=H zKpjXa*Eq~M>O_M{caEA09FSi#qgKBwtDDXpyV(|DX+kTVsrb{MiRkMlt?Q&LP1%bmI}L2W*>e{L!L)HS~P)Y`=6 z^C{3*KmsW1JAf>VEeBwh0kd}LiPG!C)b8C5yZ67jrJa%^(UQOo>+dbpf(ZbAM>t~l zEdCXruDq{@a&v!s!)+c7v3e{V)OZ`gKnt*=dqAk%#k>Y#HFm~l?p|Fi_Vm{KuzB?X zU?>n{UzIxG@BslT@A#T}E#9B+IG*7a_Qm)&FG#Z-F8|d4gN#CpoCgXUNPL)RXn9Ki zk_-FOj^^11zUIeqR>@L$7aIOc-bZcG>w&x--JWeuk#xy6N3J35+YblIEiK|5w|lP# z?`zM&YTvH~@~)42x=Q5PrkGMVe`{7uwqx&UHie>EkM~Pp4MXfo; zs2a5+y^8%v#mi=3~0Y49YC? zJ%|GRU$S0~M0ojs39lG-<}v`qiBWlb13_BDSovXIK zsvK5<$%Bq0$C1&rTzqAXdjA^Y-;zD6Uf%lVQJ}BYpG1SEg@@YDtS{D~CUZG#Npd{9 zRDq5glBYhv*E{}nJ!XCrkVv2bKGm?65bC%0)~kQf5meRqb2b8HNV!BWOn0ri@@&z? z{rQuCbz-LGY&yMWyy(+G?D$q!rM1l+yOvPRdM&@K`8z|ySb762xnK3jjvxd!N; zW#iW=JHOOSzYVmJ8F1JjmtL^0y@VX?{Q>EO zp#{+>{Og)pZu*qx0 zKApTWD3&(H_E=^Vh|bN4|EwO?$HR)`(F~G9h;tQ75HS{|Ej&{^u0&Jl<2C?>*BH1Z zG4KL1GC}JNrmD5kzH+eCpZNG+_$GQJ*y~<*S}zn&CPWwcYb+_*0(y)6NX^e)=TmCM~K% zsW{)G83s-YB4-5GxqVfZPxu;5(PAo)e6CH?IjRFU-NpI6K}AW24*t`*_US0I zxfYo4_v^mYbvi7-o(r!<07BeOuaQv^VL;9q!0}ib@*{B_;_cKN2h_klx{Tldna-Mo zj*Go|ywUFv)Jt()Wz*T0xcd8kM=AxR_b$eh{c?1XoO@^8jFfp#5$!J^M${yyLH2Pl zZp2egIU+oQ?tiYu#^~+?{H=TY5rlYnEbBHaN{ZlSlS6%=y^(ej17b&<68JAPY?M5l z$^VL%x^mKXwFj8-GE|c@rg%Xfr}VS>>Gnb2v`|Mm+ao(>sITYWLMoXS^q~|{z?oe{ zTdxbhY@(K+3=t^PGQ_Z%uE*%G#jfTt%&77#!GTK875ak-jQK*k=3t!r9LdAx?wI@! zzynACZ~bC;-7z|Ud3{Hct4>OF$|Ks;=SR6 zhN%9t%tOmP4v9ffNI%Im_g9yD{RQu5$%EMLfGS52!9n{#j(cz7ZZFNW+f-)}^LubI z8~)0qYJlq2sE#bJ4K*fo)>UZ(9UX_TQq{lo^i9yci zYmt$eraq{ZK_~&V6knI&?0TGO1Z(3E>v?5#De83pr?c}6YcgHCc0v*ekc1=>YQTiv z4LuZ{KteAD2vyY3i-0s05uMPH-isoJCKgaYP(aj#j(`J-N>d>qqM`zpLC0Z#4>+^; zykC8f5B~9oKlgE8&sytT*DY5PXf{j+lUY7|XXUMo!aTX5tJTM?nqbcD-;vR#zWiSy z(}R60j|-KYqysHN^>1kdj~Du!X}C%FGWpioBER;yO#*?Q_#o+l*L%P1V0r+Q8EVhM zr#$BuwLA|BN0&y2YOcP&zTPo%X0@T@&#gCu^IuWBBaid#qSYGBF-Jn-?4n}%FySB$ zQrPx*YqLeoPyZZ(VwbZ*l*u#v#Xx3GvVx47nJq>nRwgns6(%z^iJ4u1={h4|Y)r@2e7?zK9#aP4_`@Uzle z8X@_bCp-->4#E4w;%1b;yd1b@W4695IU_#!XvC*>rkZ+GG9n38|mS{kB#_|K}@WXJqHz^SMw_7IsPRM4%A7?2Vr89FK6 zqxhtM(w0$JvBX1qsH9d1Xv20Ry70k$5g;giK1R=}?{@EtEQni+BD5BPAV3v#T0*eh zW_Y8p0}$DT7mp0I?q+(9l zt$KdBuf5NpeiPV$tanE|LxM*6$9sA_K%uMtHNV5*{>=fxCCSi$g!vlf^c;MNT9n+< zgU7Nm2v(#g@VIv_j`o1DtSCl^wE&cj z5)B?Tz~=N_XKs=Nl+z_e+7CL{$Gon-czcR4cBc?o9fr=r>0cD7VcXH)c9!{V_ncDo_2ZSz`TtiBgm&jyI-;HRsKZcZauMnxUiUOzjZpE zmMRv3F-wUhS^n;+TRDE&^Gd2sZpRFqIY+62!_}sY$08QzR7+ zFFQR*wc66zDoj>js7w}E)mfhi@_5vu07Tu9>5~2o{3GUpi+J-Qy|r)IyZ8ng!0i*upzc< zo}G~tztW8NH^2jVccx~UupQ=HkZSXK2oYOKa=bPKkDuSfLX3*rq=C`RjP|N(?&Zh_ zfSmcu%9deL17LOEPy4x#L>Fi`z7@GBs{VR&P``(ZYV+fqEdUb{5Co$EmP|gc z`R1VP%SmjhRw*{|DZ?H$BK=@0qH zlS`R2>u*InQ~TVfy%vHV<;)}zX!9b(@j2QtS6cWfpv$k^!JJHCP%5+D-#)PjfkL~r zX}U_?fv%_!pM_yV-LS?X#4FQQ-b_P_C!yjEM4JB~a&b1Yn;**8H#X})-JV>}6JK^=ILHQRGEWz&mA}T6W z$bB$)cR5GM<8rolZX&P;{+<2|Yi==cEq6QU-cs@h&C(;uaNZ4@QlGPSDXA6S>}2q4 z{&~5%aTb4vkMyj{g4woxzJg3U3OXknw{XpGD9hx>f}N%%I@KVTgVY`Jg|w2vYQXcq zD&uBT9ZwOvSLPYev%rICJ!Rf(wwUx0KhY2D4DG&_%w5f??sJ&*?r-zR6tsY){nvee z(t?Fo3tvj%rUy)#If1TiFk~1;!1OIsWM6rPVC(we@2V62O1l1<4+brr0r$KCaL*Yb z>25XiQqP*r4}L}8A6|$i3`PoImY$B7c*GRAh+fj<8_x>MuT8x1IgvayaUUL42p)_( z%wt&sUzt1dc<@H_3WY1*THtgXN@psBE~?_XtPLx%sE2^4mNm;w*zwHyc~_$fUQM)$ z{Xh_AtZ6mc&6H{lvZC++sb7%eQxhFVv1>O&Ro+5fyz&RX5no5nkm_XJM+VgPf*~Xv z-!Ap;2uL(=oOQ;_>EwtoTh7u0MNXn)8sU|yz@oJqIlA_0bMm#Zq|lo~`mZrtEC^GX z^K7Jadk${_gSepo>OcYh`Q@v=skUDI*lICXiU4??1Po$IQv|H=SRh^1TV;$ zTz9nc@j{)$BszcQi~6M!gp_SWf~S0QXW^{kUE|(g91EfxkK{8-^Ro<@)uM7=&8!U) zJWv`v1|Yu8cg2Zuhp%@nbSZy-?*u%=&5!28Rt&96BYw|$3b^9~f2yPXMqX+-V!|yT zkIw#AcbxT)srug!yZ;G_|6jvy>8M7akn;Zsy8&<9EORn5kLLe>47(X^#Y9E3B+vZ6 z!|pr(yRaL4B?)4+&`K*!Ab)-*zG&O5K0RIw1D+(`%_7TyOs*mMFLn+|9Oxjc;sH?H z>y2Q8!_>ZXhwkRNA zsoj%vdpqoweq`WjrCzFJ7Gia79HH#@KxKw#2ijF%+)oTrbS)evi5DL{7wAQTL@E^k z@R`%RfLo!(t1{O(=%}*HF$Rq7ef(R!$$kA&TzLC20q6Wnr#t&1Q~7$GlFstjcJ%&j zS&i2IQX!`E18~K+Sn=QL5p(^m6PD)DO9fi$ju{YJ1BPhnMIT)MTkOTpT|Krg;39VZ zAg0=`T3xN@8tU0Jn|krg@`fj_FPgYiM*dOQYcAqzTYBBBWSJioZ~Dq5oPw6Xqorke z1^xhmhU=m)Up;aIt74wg&FHI6727Avd!5Eu!e%3PFf_LdBNr^GB~OEW*<%QynfN@_r?5b|>66 z-da9%$pxLz+Sq$3+VAh-oF}phh+oZ*{w{VQne+3gVAmC2@)P+vr=xby4!+VvukP^R z&=nEzYQ`s|QQqp^J6fqvoCjVlU=VGw7EP>*CjFjbM|T!T5*9s>F=FpXfsx5+wbSCNOzCAR38CPnXn zX%OXe93YhPB89FEJ{RYKs%CwXuryBDQDPNf;} zv30UKAh1&%{Dx{wJ`L+S8x^C0?Cw`hGb@y%$ntYwi|upaBOGy@nIe`;aID4dy3GG^Zz$EfirsHg>V}v_6X%sKy#kUz(D9$drhp zY*D~+_lYPCbdAU~{iTbj9J(RynwU4gha0d-?*@oLcxh?7RaQLkQ?rEq-5PVjdIWDUXT{U_5@u;7!fQ? z<}9FISo3}&YK!Opji^BmR0yZNw4~?yzi_wkPlot6?-jTaYa*b2^ew0dm0zIvAw@dCB251l*9N1u zA)~7@D3W@BvmJp~_Gy@25u2QGME*Mh|3S~7qlr)~iMHl2e-2a$J|Hr6Yc#jLbemDT zWRghQVbpdIwRh&kJ4ix0{5dH(0{pB{NGe>o)M z`E!1wA4fP>Dh#W_|MJLHI_~i`FDLA&v?DlrfaqjzBMH;KTTe=14Q5Sx!^cI zl8^2a1H9iLF1BRgyUHKt$Y!PA(RM#lQK{Cw?UA?S!y-{f9_~7S=tUYxEsXQ+&|}sz za^XjA89i-pIi*ba;S1>s!?~;$&5ANzwBnCZFY??*rD1u=Jpb z>mI+^0~*_R)xG$huu*`uqrpaS2K59aALYoYk(Tj;=b+Lh2>c-sflsxhAKh#M=UGSP%h>y9LngB3uUSkt`q%4Zn27Ue|Bk@N zrXa#j^t2PK_4LnYKI#h(87;JQzD!y+?>tCcJ4EnB|9?Z}xw!upR2~!6w>{<6Wb7iG zLa6hcWWYoB?x}x6xnSIq5mRF`7u9EEAkrtU~B(CONQ#P znq6HA;`wT{fx`a8&%M=$5vDek!4Qp|;Cr(x^)ai`Kw?Q~Kv6@r^`d~gYD}=Ig?X0# z0}noXbN_UQm`Lp9b@bfL>VqOm-nX&UFYl{|OqMP8203#|=`CtDL|irg+R{@^umI{O zRIborNw`MblHTiej(}T>ipsD5FcXja3o8HZ+sbvD(+b$IlYX;NGJ}VXz5NN5GcVeE zGl*Px^1q>S*MzpDV~?+hj{*?e#sSpJ;m=@yr)-dqzia+y94=SiI>qX#rxg>Yq}O{k zSLi#e58ITDv&ihiJmp~-!)yg{<)^{5$GDA(K-#@j1B=_;W<8nt1ibtz8+#^SF-QN_ zYe(N!)yt`3kq)q_wD+1VQb5@&naU(4UJ0zk8;(C7lINw z?{}c`CdnePfMV?x?8V~F9e{(E}>v?Es+~FcD9#Hqz(ZlrPn>1;)T=e6Z5!XUU_L2YK zYt6k6<#juf%{AYC%kJ@Hjj-D zYaJjWx$^@EB;^;#4`I1$>8Pl_0;D0jIKn*lw2N;)hm{fH^w*%=i9?2Yxdux9zt zk3;;%q3bz&i+hi&_+2s%x(XNTNQ9l+fy%*!g~|8}b7>%@wVWG)wfI*60XMgXdUmoE z>=eM2@L;+e>sct(9p}gAm-k6hz-MO1`JuqKVf8)vrcYV;&p$GBj;Wcm-Jau7p%XdU zKwB#@d;aiFTWkLGc3X>Z8LsdUlx^!H;A`~BfY1EIjgUQ9f*s$kT$Fvx42zmtoT!h|}( zV$mQ}7mfvzV$HrY;3Og?u7TpOWklQ0cfN3F@@sO*(wR&GqbW4LZCTEEhW}8n6@GDc z_7|af%;&prPZ&#cehriDc(x`>Dvh8Z9tYgemUPWT#T)i-l^P(fIFcsviG$DenHa6yMjMw4(Y-j9(}b zH1WI7*&MLDky*k{^UFCV;OCGAxO2o;uFK;h6;Ij10&NfT4m9!apu0`OlUS`$kOxTd zt34c-Tw8Sb%7S_4gK5PBVW5+v!%?VM-?AmXjYRlD4|)6yAjO|G43zlB6gK{p;-)f$ zKNOO^kHZ#K>}~np0&ckK*ObSBVHb5uLAv*nvZ~UJ_&52ZGd2c!136noJq5-$>oiN? zSKJQ|H{8?Pow>uQ^>%3V2R8EU>xOQS=>^FO5QI|?n%cZA%4t?KA9L3zIKx0=iW$)R zMO^lztM_(i8=nDmwn-fqi8r9$P|mNeYY z&i0=Si%j+WhJ{G3_jYIda#`|zXQwYfXB&DF=xl>6Etn<8pz{^v;>4ZK_Hu6Rc4s@q zg8M3sSz}RwNQiclI`^;ovn4+XbmSS3lINi<_x^m2=?unecX;e__J^r8dq1OKoJaTz z*O{ekJDLCj!--U2SjoKc4T;-o*GPmw>?I$his`6GA`aN0e!qxFhq}N>R6%`FtHMIV z#Yg}{2kP1cp>U@TfLCMP4qwm88!)hu#dLKDvE{lD4ZX(16yCAhQZDc zy3qxA)LU{^cZfF`(8I21N3R_iJ?>GC!74D!2?6;HBTc&#--Nz6c)T-*L7WwsF3;XQ^tUqK5bl3FAoEX06Cp_=f#t8?V&1n+tteo+und&k3i0 z#6%2%m=6OB!aSlxdVtApe5~h>V7dm8NYjOLx@tYM@p)605T)&+whiGQMeThYK4rpV zQGPsx%q7`sjbo&D2UC+i$3TqEbs)o`^MXgAN$StL#HcGRbP+kEFuh|fuc73ekSh&>Pz2ii8;V!Ujt0ZO-uc+9P)7z=Q5w!U}tP( zwpDY)(dovZGXK!W=X=12;gt~mQLmiP{6#6A$3@h5Vs03MA<)zagXso2RhS=xMliV! zQSs@bbpYk=u|yOX1b_XqU*JQ&yh*5!McE^f6HaS@J9c&Io5OrlSUKe&P|j9CxB%ts ztu)W=c6Q1n@+0NqE@^^+Sau?;EhvFk4Ou&U7zX7=L+9x!_7KDl##3r_J^@Rm! za56ub++yTxx&#y1)n|#i1d_!p_Zdvbi>p)b;a)5VO3@|3Gaap_NMB)Hf+OMz-kfB_2=jZ=}UA0m5fRqaQ(jaf(hxDKDOwBT~)g= zyar+05~9FZ21ON*;S(;W)ZMEBA*GrCbKblhFz0XWqA%(E;Ve$7oW$xB?wIqPvQU-3 zU^Dv9S-y>v>;D@kXN~|3ZQ%!-9E&{8{}fh3)2-wJu0~EruZ$}@R+(bvdN}{V$&vrT z$vX{rgj7Eutd_r>U>zd=dRt6~ZHsA6rO}R`YK9{KzBN|i8q+qP<}5zB3g98?n|+yEwrli&|5MzDB)8ymED z{U|ZHN(t*+=`?_4*1GG3ol7p_WT*3@ugJxJ4z5XlZ+n$?Id0un@=N_U!a31qMMk5o znsut~%<_H3xIQz*^g5zq+7`m-AxjATEZ?Sy6n~C=^2!~vqAyL){kC!P6!Dk#dEate zf4GTaxU@l!h-m$1=a0@hX;TFM$SF(yRr|dX7oM~&tL5J;R9m`=wkKH$hbn^|0K42K z%E%vDWSDEfY zaV}!qEqn(>lRC{@r0a#cr>1c#zb#>dziciBlRIiX58To>2=ET8GLoyb>u`gS?D+WY z)g#{WYL9kla4C*zFnz@gpc=MZGBX@$Ep-uelaKlC%jN3x8z=PulH9)zR!#{9NOBjg z_2J`N1u}gwwq5RKfmYffV37)Wg*`|yP7n;#GILE-6F(JCOI2WKFs?Q2T^5qsCdsYr zE=7Y=PF6Zu_7kNBzMM@q_z`{O((LKC%fXrGL`_^&<@W_5^Sk>`lANeta%bF|9J>@^ zC7wH<7RaoB+qBOcZD-Nry+i^*N-dSg#e|V~(si>NL0WpWr9Lvc_*1V1##6b`BqP^F7s&XS(rF{#3^&M@@1ziz?Y3s|RT(zwT}V zgs+Z{F)zaf3_Xp|P8B?N6Ii6e+XNXH>Be&BbvH4Jqk8BW&V zmt%SnQf#=;!E2^bLly@Ac&v4$?<}fj$^YnDA9OsZnV;b&Ej*VdtpZ7@4k1dDCVxJ) zI;kX}hRF!L+M5cbkNB;RakFqy?PM#!Vn>#2`rf7q=VuKq8niB z!9-Vxa&F_6kSeP_D@HATcH9!g3xW_tBa%)LD7&wE+;);#l%Tw^r$_so-%H^lg-j1a zXt$Ay@xm|`AiTTG`VFT7gY)ZTJRDz1$gHqZGU;p~>E;}BIX<`?HPOW18uV*7F~#Tc z=)+v6s-q!^9(nl`(Lhysx#(#A3vH=r$`#lNHX)1$Smk_int zyhUm$qjo)(g^CS}5ji!~FFUE+ci}}MZ0|v3VNot0Md>q2wIdC4EovY=8WJ`Qnw7U4 z&OKp2UOPOZ_7Gv5)Wlmo8Bq?xb4cLULdeMrl^p0jpUI=$y=Bvpz4B?lqe369T=k=; zxOJ+HNe27f5ZPO8Qq37YLZO`gNEkE$Aah9O!vwX2N@)*J=k zza}y36Rz;w@TuTGX3}-VYTTVnMXWDMmH3R^mg zEw2BAMl%rVM9yuu#n2%Au|yiK1_;6F#6x)_u6KCZKigugLvIIegDdNgVhdDQg7Epg zOqKL_7wJ1q8}1m{E3kLl%TZWz+sjcvqZ6PQl@9J_2ftI`X%N_yuP1_)oa$$o{Afpb znYaNei`07z3vp9RW5YbibZ_8+4C5(1Xpoc;jGb!=Z)i% z)hF~BArH{m_?_J-i9yUKr*fg*oqdAKI&?cBpAcK!USGAJI9gq&beg6=-%P@*U%JYQ ztSc|MufOG&8|4IAg+%WJ;$%6f($unvkPSqATX<7qcW5+IiOX?MVDI9g^@=}fw2J~5 z^nZ%mGr&SQMUceK&~1k=)mZT712b}^h?tzkrKYo1Du&oK%F+g=Z-!q**bJ(9b+FOF zYlMGxe?6V>xJF(fKWsWS<5O|6%X~j#Rd(`sqQqgF za=U*8xL?b5)kMTLfBI}V_y#ZWzBR1F|Ll=@1Ff<#?!1#$l8(*b*Sa>HhMV54?w(GH zQ-}B=8e3(7*I!?HvhD$DSoZI9&fNeOy%lg|hQ5FOHQZFW1KNC4`iZMKoLD*yN@fFq`%A2t4l7soPSgfJ zks4{8p)5co?^achJYgLQs+y#yk~=O_wW{uZXTu_X#i@VdQ|JaKHkV@BYUg|_+m z&#q?WG>6o_)YD}xk8?ykx_#bA1H=^$9RhN>TrF(NO0GGAQJ|V7XunPtsq^7hh1{WR z_Vo*7@+d+zHEz{nq^`m)nq{Ydk+7!Z`d9apumJbU>+18(1e6`Y14gRCw(yYd-RhKofa zn(LlpB~JQcAS=!7(utVpXy>Gjf>!erzs=;~vD!GwD zBc;#P4-#>13#GEgONB^drv9e^(M?RWtGhSZs3(IA@)Hw3z=6@ug}u=(K{4Z#V1-50w1*Rk4^(Fvi6>K6c>H z8KbyDyZzn?OfghjodnRxaqS4H@U(7+r7%mn*9VRmO+nvgIshjZh2S;QlG=SkHO!9> zEZ`5_1y%%_#kgVYN!NKSjRqZj;eay7x-%(e3;@{5#m3sy0{s(#bwV%X?)12MgKGDX z_FlPWfp>98aVmSe9374;kBZW0*g3;lK5F?VwZWre4rAIU9<`4iJeCnKbK1NgWbi{y zi?nNh|7Aah^);A<>X%sD-#ZI{gRJncRu9U5F6IB`F(%D0^Rq_&568GXgqkOIB7lOO z6I4(F9x?eG1y;i-=4a_j(ifaB**Ye|1(x}0%_;zLNI~yOiG^Fja|GJ{X zHHxBya+xgu(FNzpUf@z@3j^=*an7y|czcyHrYph~x?1!k0g39;k}cwWW^B~y%2Cw* z6*?TBK{{X{!!vy~zofc2pecTvFez}-4rNnpH2k#>)gVUjx=b49J}i3ms3s)Zb!ENQ zqXl?CX^e{*3Y0<6M(*KH$G$xG^HP>5seq_$xt4}Q4$gbOw0h0ad0J%gpd@DMv-Nfl z$SRy6M^m|ne9c!aKNC1vS>aK>U@!$7P2fFlWxYSjJ)A>hRf|lx`=R7)l)&QJuO^1&oSz zYe_NdysIw;*=MbMKF$cVJSWf{&7(Z1zUYQgCf!PtdTigBAa>#EXjH*S{_g26K9mTr z8Jg@0x~Ym$r`M+gOM6HqC|}&lT=Q{YHC7{;@W&NIdfmDp$^AMzRh9yjlFo>C3QXPc zDt1Z}L!7~CwW>$OL#b$~;VkYAJs zB90Z*VjJ#Pl0vUI)0qZ^E1Qq}n^TY24{R@SEz}br-rre7)2k$>r(H{aV$ExnD{$ zXfBEVGF{Q9H=6gy&hA$9a!n6Kz-0f;m^kyMsR+AtU^|o9)q*{TcVPI9)|fZZ1+7VO>Hc-1Xq0v;)xo$ez*A6BWnnRI%pV37*LSuS zLa8TUvrkFO^!VVg99Nuj#g{n6e4}7h(R1?684$0F&22D?18D;8_);G;4h+~cW07n$ zH8~^j9r)U~@Q3~vNqea0iY&3Rxz@pOJECuha)!~QIC^hYQnB;n3@_L)b3Aq6rZxd( zvX8J?hU}yPB{+u#icsAZw?r{g&-JbpS({gKQpVyHVnH@9_bRRmk?9$|Sd1Ik{tB%T zG - -#import "AppDelegate.h" - -int main(int argc, char * argv[]) { - @autoreleasepool { - return UIApplicationMain(argc, argv, nil, NSStringFromClass([AppDelegate class])); - } -} diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/LICENSE b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/LICENSE deleted file mode 100755 index e0e8aebaff2e..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/LICENSE +++ /dev/null @@ -1,19 +0,0 @@ -Copyright (c) 2014 Mattt Thompson (http://mattt.me/) - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. diff --git a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/README.md b/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/README.md deleted file mode 100755 index c39bd055a403..000000000000 --- a/WordPress/Vendor/AnimatedGIFImageSerialization-0.1.0/README.md +++ /dev/null @@ -1,41 +0,0 @@ -AnimatedGIFImageSerialization -============================= - -`AnimatedGIFImageSerialization` decodes an `UIImage` from [Animated GIFs](http://en.wikipedia.org/wiki/Graphics_Interchange_Format) image data, following the API conventions of Foundation's `NSJSONSerialization` class. - -As it ships with iOS, `UIImage` does not support decoding animated gifs into an animated `UIImage`. But so long as `ANIMATED_GIF_NO_UIIMAGE_INITIALIZER_SWIZZLING` is not `#define`'d, the this library will swizzle the `UIImage` initializers to automatically support animated GIFs. - -## Usage - -### Decoding - -```objective-c -UIImageView *imageView = ...; -imageView.image = [UIImage imageNamed:@"animated.gif"]; -``` - -![Animated GIF](https://raw.githubusercontent.com/mattt/AnimatedGIFImageSerialization/master/Example/Animated%20GIF%20Example/animated.gif) - -### Encoding - -```objective-c -UIImage *image = ...; -NSData *data = [AnimatedGIFImageSerialization animatedGIFDataWithImage:image - duration:1.0 - loopCount:1 - error:nil]; -``` - ---- - -## Contact - -Mattt Thompson - -- http://github.com/mattt -- http://twitter.com/mattt -- m@mattt.me - -## License - -AnimatedGIFImageSerialization is available under the MIT license. See the LICENSE file for more info. From 22df79a77316a64d7bb578c7078e37f1a1d1c6f1 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 30 Apr 2021 11:56:49 -0600 Subject: [PATCH 155/190] Remove Helpshift Localizations --- .../ar.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../bg.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../bn.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../ca.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../cs.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../da.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../de.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../el.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../en.lproj/HelpshiftLocalizable.strings | 148 ----------------- .../es.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../fa.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../fi.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../fr.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../gu.lproj/HelpshiftLocalizable.strings | 150 ------------------ .../he.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../hi.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../hr.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../hu.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../id.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../it.lproj/HelpshiftLocalizable.strings | 150 ------------------ .../ja.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../kn.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../ko.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../lv.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../ml.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../mr.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../ms.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../nb-NO.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../nb.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../nl.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../pa.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../pl.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../pt.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../ro.lproj/HelpshiftLocalizable.strings | 150 ------------------ .../ru.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../sk.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../sl.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../sv.lproj/HelpshiftLocalizable.strings | 150 ------------------ .../ta.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../te.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../th.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../tr.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../uk.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../vi.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../HelpshiftLocalizable.strings | 149 ----------------- .../HelpshiftLocalizable.strings | 149 ----------------- .../HelpshiftLocalizable.strings | 149 ----------------- .../HelpshiftLocalizable.strings | 149 ----------------- .../zh-Hk.lproj/HelpshiftLocalizable.strings | 149 ----------------- .../zh-Sg.lproj/HelpshiftLocalizable.strings | 149 ----------------- 50 files changed, 7453 deletions(-) delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ar.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bg.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bn.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ca.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/cs.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/da.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/de.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/el.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/en.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/es.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fa.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fi.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fr.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/gu.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/he.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hi.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hr.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hu.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/id.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/it.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ja.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/kn.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ko.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/lv.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ml.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/mr.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ms.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb-NO.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nl.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pa.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pl.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pt.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ro.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ru.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sk.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sl.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sv.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ta.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/te.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/th.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/tr.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/uk.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/vi.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans-SG.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant-HK.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hk.lproj/HelpshiftLocalizable.strings delete mode 100644 WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Sg.lproj/HelpshiftLocalizable.strings diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ar.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ar.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index fc0b9485c396..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ar.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "لا تستطيع العثور على ما تبحث عنه؟"; -"Rate App" = "تقييم التطبيق"; -"We\'re happy to help you!" = "نحن سعداء بمساعدتك!"; -"What's on your mind?" = "ما الذي يدور ببالك؟"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "يؤسفنا سماع ذلك. يُرجى إطلاعنا على المزيد من المعلومات بشأن المشكلة التي تواجهها؟"; -"Remind Later" = "تذكير في وقت لاحق"; -"Your message has been received." = "تم تلقي رسالتك."; -"Message send failure." = "فشل إرسال الرسالة."; -"Hated it" = "لم تعجبني"; -"What\'s your feedback about our customer support?" = "ما تعليقك على دعم العملاء لدينا؟"; -"Take a screenshot on your iPhone" = "خذ لقطة شاشة من جهاز iPhone الخاص بك"; -"Learn how" = "معرفة الطريقة"; -"Take a screenshot on your iPad" = "خذ لقطة شاشة من جهاز iPad الخاص بك"; -"Your email(optional)" = "بريدك الإلكتروني (اختياري)"; -"Name invalid" = "اسم غير صحيح"; -"View Now" = "عرض الآن"; -"SEND ANYWAY" = "إرسال على أية حال"; -"OK" = "حسنًا"; -"Send message" = "إرسال الرسالة"; -"REVIEW" = "مراجعة"; -"Share" = "مشاركة"; -"Close Help" = "إغلاق المساعدة"; -"Loved it" = "أعجبتني"; -"Learn how to" = "تعرّف على كيفية"; -"No FAQs found in this section" = "لم يتم العثور على أسئلة شائعة في هذا القسم"; -"Thanks for contacting us." = "نشكرك على اتصالك بنا."; -"Chat Now" = "تحدث الآن"; -"Buy Now" = "شراء الآن"; -"New Conversation" = "محادثة جديدة"; -"Please check your network connection and try again." = "يُرجى فحص اتصالك بشبكة الإنترنت والمحاولة مرة أخرى."; -"New message from Support" = "رسالة جديدة من الدعم"; -"Question" = "سؤال"; -"Type in a new message" = "ادخل رسالة جديدة"; -"Email (optional)" = "البريد الإلكتروني (اختياري)"; -"Reply" = "رد"; -"CONTACT US" = "اتصل بنا"; -"Email" = "البريد الإلكتروني"; -"Like" = "إعجاب"; -"Sending your message..." = "جارِ إرسال رسالتك..."; -"Tap here if this FAQ was not helpful to you" = "انقر هنا إذا لم تجد هذا السؤال المتداول مفيد لك"; -"Any other feedback? (optional)" = "هل لديك تعليق آخر؟ (اختياري)"; -"You found this helpful." = "ساعدك ذلك."; -"No working Internet connection is found." = "لا يوجد اتصال فعّال بالإنترنت."; -"No messages found." = "لم يتم العثور على رسائل."; -"Please enter a brief description of the issue you are facing." = "يُرجى إدخال وصف مختصر للمشكلة التي تواجهها."; -"Shop Now" = "تسوق الآن"; -"Email invalid" = "البريد الإلكتروني غير صحيح"; -"Did we answer all your questions?" = "هل أجبنا على جميع أسئلتك؟"; -"Close Section" = "إغلاق القسم"; -"Close FAQ" = "إغلاق الأسئلة المتداولة"; -"Close" = "إغلاق"; -"This conversation has ended." = "لقد انتهت المحادثة."; -"Send it anyway" = "إرسال على أية حال"; -"You accepted review request." = "لقد قبلت طلب التقييم."; -"Delete" = "حذف"; -"What else can we help you with?" = "ما الذي نستطيع فعله لمساعدتك أيضًا؟"; -"Tap here if the answer was not helpful to you" = "انقر هنا إذا لم تكن الإجابة مفيدة لك"; -"Service Rating" = "تقييم الخدمة"; -"Your email" = "بريدك الإلكتروني"; -"Could not fetch FAQs" = "لم نتمكن من استعراض الأسئلة الشائعة"; -"Thanks for rating us." = "نشكرك على تقييمك لنا."; -"Download" = "تنزيل"; -"Please enter a valid email" = "يُرجى إدخال عنوان بريد إلكتروني صحيح"; -"Message" = "رسالة"; -"or" = "أو"; -"Decline" = "رفض"; -"No" = "لا"; -"Screenshot could not be sent. Image is too large, try again with another image" = "لم يتم إرسال لقطة الشاشة. الصورة كبيرة للغاية، لذا حاول مرة أخرى مع صورة غيرها"; -"Stars" = "نجوم"; -"Your feedback has been received." = "تم تلقي تعليقك."; -"Dislike" = "عدم إعجاب"; -"Preview" = "معاينة"; -"Book Now" = "حجز الآن"; -"START A NEW CONVERSATION" = "بدء محادثة جديدة"; -"Your Rating" = "تقييمك"; -"No Internet!" = "لا يوجد اتصال بالإنترنت!"; -"You didn't find this helpful." = "لم يساعدك ذلك."; -"Review on the App Store" = "تقديم تقييم على App Store"; -"Open Help" = "فتح المساعدة"; -"Search" = "بحث"; -"Tap here if you found this FAQ helpful" = "انقر هنا إذا وجدت هذا السؤال المتداول مفيدًا"; -"Invalid Entry" = "إدخال غير صحيح"; -"Star" = "نجمة"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "انقر هنا إذا وجدت هذه الإجابة مفيدة"; -"Report a problem" = "إبلاغ عن مشكلة"; -"YES, THANKS!" = "نعم، شكرًا!"; -"Help" = "مساعدة"; -"Was this helpful?" = "هل ساعدك ذلك؟"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "لم يتم إرسال رسالتك. هل تود النقر على \"إعادة المحاولة\"لإرسال هذه الرسالة؟"; -"Suggestions" = "مقترحات"; -"No FAQs found" = "لم يتم العثور على أسئلة شائعة"; -"Done" = "تم"; -"Opening Gallery..." = "جارِ فتح معرض الصور..."; -"You rated the service with" = "لقد قيَّمت الخدمة بـ"; -"Cancel" = "إلغاء"; -"Could not fetch message" = "لم نتمكن من استعراض الرسالة"; -"Loading..." = "جارٍ التحميل..."; -"Read FAQs" = "قراءة الأسئلة المتداولة"; -"Thanks for messaging us!" = "نشكرك على مراسلتنا!"; -"Try Again" = "حاول مرة أخرى"; -"Your Name" = "اسمك"; -"Please provide a name." = "يُرجى تقديم اسم."; -"FAQ" = "الأسئلة الشائعة"; -"Describe your problem" = "صف مشكلتك"; -"How can we help?" = "كيف يمكننا المساعدة؟"; -"Help about" = "مساعدة حول"; -"Send Feedback" = "إرسال تعليق"; -"We could not fetch the required data" = "لم نتمكن من الحصول على البيانات المطلوبة"; -"Name" = "الاسم"; -"Sending failed!" = "فشل الإرسال!"; -"Attach a screenshot of your problem" = "ارفق لقطة شاشة لمشكلتك"; -"Mark as read" = "وضع علامة كمقروء"; -"Yes" = "نعم"; -"Send a new message" = "إرسال رسالة جديدة"; -"Conversation" = "محادثة"; -"Questions that may already have your answer" = "أسئلة قد تتضمن بالفعل الإجابة التي تريدها"; -"Attach a photo" = "إرفاق صورة"; -"Accept" = "قبول"; -"Your reply" = "ردك"; -"Inbox" = "صندوق الوارد"; -"Remove attachment" = "إزالة المرفق"; -"Read FAQ" = "قراءة السؤال المتداول"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "عفوًا! تم إغلاق هذه المحادثة نظرًا لعدم وجود نشاط بها. يُرجى بدء محادثة جديدة مع مندوبينا."; -"%d new messages from Support" = "%d رسالة جديدة من الدعم"; -"Ok, Attach" = "حسنًا، قم بالإرفاق"; -"Send" = "إرسال"; -"Screenshot size should not exceed %.2f MB" = "لا ينبغي للقطة الشاشة أن تزيد عن مساحة %.2f ميجابايت"; -"Information" = "معلومات"; -"Issue ID" = "معرّف المشكلة"; -"Tap to copy" = "النقر لإجراء النسخ"; -"Copied!" = "تم النسخ!"; -"We couldn't find an FAQ with matching ID" = "لم نستطع العثور على سؤال متداول يتطابق مع معرّف."; -"Failed to load screenshot" = "فشل تحميل لقطة الشاشة"; -"Failed to load video" = "فشل تحميل مقطع الفيديو"; -"Failed to load image" = "فشل تحميل الصورة"; -"Hold down your device's power and home buttons at the same time." = "اضغط مع الاستمرار على زر التشغيل وزر الشاشة الرئيسية في الوقت نفسه."; -"Please note that a few devices may have the power button on the top." = "يُرجى ملاحظة أن أزرار التشغيل في بعض الأجهزة توجد في أعلى الجهاز."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "بمجرد الانتهاء، عد مرة أخرى لهذا الحوار وانقر حسنًا، قم بالإرفاق لإرفاق الصورة."; -"Okay" = "موافق"; -"We couldn't find an FAQ section with matching ID" = "لم نستطع العثور على قسم أسئلة متداولة يتطابق مع معرّف"; - -"GIFs are not supported" = "ملفات جيف غير معتمدة"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bg.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bg.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 40dd555d75cd..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bg.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Не можете да намерите това, което търсите?"; -"Rate App" = "Оценете приложението"; -"We\'re happy to help you!" = "За нас е удоволствие да Ви помагаме!"; -"Did we answer all your questions?" = "Отговорихме ли на всички ваши въпроси?"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Съжаляваме да го чуем. Бихте ли ни казали малко повече за проблема ви?"; -"Remind Later" = "Напомняне по-късно"; -"Your message has been received." = "Вашето съобщение беше получено."; -"Message send failure." = "Неуспешно изпращане на съобщение."; -"What\'s your feedback about our customer support?" = "Какво е мнението Ви за нашата клиентска поддръжка?"; -"Take a screenshot on your iPhone" = "Направете скрийншот на своя iPhone"; -"Learn how" = "Научете как"; -"Take a screenshot on your iPad" = "Направете скрийншот на своя iPad"; -"Your email(optional)" = "Вашият имейл адрес (по желание)"; -"Conversation" = "Разговор"; -"View Now" = "Прегледайте сега"; -"SEND ANYWAY" = "ИЗПРАТИ ВЪПРЕКИ ТОВА"; -"OK" = "ОК"; -"Help" = "Помощ"; -"Send message" = "Изпратете съобщението"; -"REVIEW" = "РЕЦЕНЗИЯ"; -"Share" = "Споделяне"; -"Close Help" = "Затворете помощта"; -"Sending your message..." = "Съобщението ви се изпраща..."; -"Learn how to" = "Научете как се прави"; -"No FAQs found in this section" = "В този раздел не са открити ЧЗВ"; -"Thanks for contacting us." = "Благодарим Ви, че се свързахте с нас."; -"Chat Now" = "Разговаряйте в чата сега"; -"Buy Now" = "Купете сега"; -"New Conversation" = "Нов разговор"; -"Please check your network connection and try again." = "Моля, проверете мрежовата връзка и опитайте отново."; -"New message from Support" = "Ново съобщение от Поддръжка"; -"Question" = "Въпрос"; -"Type in a new message" = "Въведете ново съобщение"; -"Email (optional)" = "Имейл (по желание)"; -"Reply" = "Отговор"; -"CONTACT US" = "СВЪРЖЕТЕ СЕ С НАС"; -"Email" = "Имейл"; -"Like" = "Харесва ми"; -"Tap here if this FAQ was not helpful to you" = "Натиснете тук, ако този ЧЗВ не Ви е бил от полза"; -"Any other feedback? (optional)" = "Някакви други коментари? (по желание)"; -"You found this helpful." = "Това ви помогна."; -"No working Internet connection is found." = "Не е намерена работеща интернет връзка."; -"No messages found." = "Не са намерени съобщения."; -"Please enter a brief description of the issue you are facing." = "Моля, въведете кратко описание на проблема, на който сте се натъкнали."; -"Shop Now" = "Пазарувайте сега"; -"Close Section" = "Затворете раздела"; -"Close FAQ" = "Затворете ЧЗВ"; -"Close" = "Затвори"; -"This conversation has ended." = "Този разговор е приключил."; -"Send it anyway" = "Изпратете въпреки това"; -"You accepted review request." = "Вие приехте заявка за предоставяне на мнение."; -"Delete" = "Изтриване"; -"What else can we help you with?" = "С какво друго можем да ви помогнем?"; -"Tap here if the answer was not helpful to you" = "Натиснете тук, ако отговорът не Ви е бил от полза"; -"Service Rating" = "Оценка на услугата"; -"Your email" = "Вашият имейл адрес"; -"Email invalid" = "Невалиден имейл"; -"Could not fetch FAQs" = "ЧЗВ не могат да бъдат извлечени"; -"Thanks for rating us." = "Благодарим ви, че ни дадохте оценка."; -"Download" = "Изтегляне"; -"Please enter a valid email" = "Въведете валиден имейл адрес"; -"Message" = "Съобщение"; -"or" = "или"; -"Decline" = "Отказ"; -"No" = "Не"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Скрийншотът не можа да се изпрати. Изображението е прекалено голямо, опитайте отново с друго изображение"; -"Hated it" = "Ужасна е"; -"Stars" = "Звезди"; -"Your feedback has been received." = "Вашата обратна връзка беше получена."; -"Dislike" = "Не ми харесва"; -"Preview" = "Преглед"; -"Book Now" = "Запазете сега"; -"START A NEW CONVERSATION" = "ЗАПОЧНЕТЕ НОВ РАЗГОВОР"; -"Your Rating" = "Вашата оценка"; -"No Internet!" = "Няма интернет!"; -"Invalid Entry" = "Невалидни данни"; -"Loved it" = "Чудесна е"; -"Review on the App Store" = "Мнение в App Store"; -"Open Help" = "Отворете помощта"; -"Search" = "Търсене"; -"Tap here if you found this FAQ helpful" = "Натиснете тук, ако този ЧЗВ Ви е бил от полза"; -"Star" = "Звезда"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Натиснете тук, ако този отговор Ви е бил от полза"; -"Report a problem" = "Съобщаване за проблем"; -"YES, THANKS!" = "ДА, БЛАГОДАРЯ!"; -"Was this helpful?" = "Това помогна ли ви?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Съобщението ви не беше изпратено. Докоснете \"Повторен опит\", за да опитате отново."; -"Suggestions" = "Предложения"; -"No FAQs found" = "Не са намерени ЧЗВ"; -"Done" = "Готово"; -"Opening Gallery..." = "Галерията се отваря..."; -"You rated the service with" = "Оценихте услугата с"; -"Cancel" = "Отказ"; -"Loading..." = "Зареждане..."; -"Read FAQs" = "Прочетете ЧЗВ"; -"Thanks for messaging us!" = "Благодарим Ви за съобщението!"; -"Try Again" = "Опитайте отново"; -"Send Feedback" = "Изпратете обратна връзка"; -"Your Name" = "Вашето име"; -"Please provide a name." = "Моля, въведете име."; -"FAQ" = "ЧЗВ"; -"Describe your problem" = "Опишете проблема си"; -"How can we help?" = "Как можем да ви помогнем?"; -"Help about" = "Помощ за"; -"We could not fetch the required data" = "Не можахме да извлечем необходимите данни"; -"Name" = "Име"; -"Sending failed!" = "Неуспешно изпращане!"; -"You didn't find this helpful." = "Това не Ви е било от полза."; -"Attach a screenshot of your problem" = "Прикачете екранна снимка на проблема си"; -"Mark as read" = "Отбелязване като прочетено"; -"Name invalid" = "Невалидно име"; -"Yes" = "Да"; -"What's on your mind?" = "Какво мислите?"; -"Send a new message" = "Изпращане на ново съобщение"; -"Questions that may already have your answer" = "Въпроси, които може да са получили вашия отговор"; -"Attach a photo" = "Прикачване на снимка"; -"Accept" = "Приемане"; -"Your reply" = "Вашият отговор"; -"Inbox" = "Входяща кутия"; -"Remove attachment" = "Премахване на прикачен файл"; -"Could not fetch message" = "Съобщението не можа да се извлече"; -"Read FAQ" = "Прочетете ЧЗВ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Съжаляваме! Този разговор беше затворен поради липса на активност. Моля, започнете нов разговор с нашите агенти."; -"%d new messages from Support" = "%d нови съобщения от отдела по поддръжка"; -"Ok, Attach" = "ОК, прикрепи"; -"Send" = "Изпращане"; -"Screenshot size should not exceed %.2f MB" = "Размерът на екранната снимка не може да превишава %.2f MB"; -"Information" = "Информация"; -"Issue ID" = "Идентификатор на проблем"; -"Tap to copy" = "Докоснете, за да копирате"; -"Copied!" = "Копирано!"; -"We couldn't find an FAQ with matching ID" = "Не можахме да открием ЧЗВ със съответното ИД"; -"Failed to load screenshot" = "Неуспешно зареждане на екранна снимка"; -"Failed to load video" = "Неуспешно зареждане на видеоклип"; -"Failed to load image" = "Неуспешно зареждане на изображение"; -"Hold down your device's power and home buttons at the same time." = "Натиснете и задръжте едновременно бутона за включване и бутона за начало на вашето устройство."; -"Please note that a few devices may have the power button on the top." = "Моля, имайте предвид, че при някои устройства бутонът за включване може да не е разположен най-горе."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "След като го направите, върнете се към този разговор и докоснете „ОК, прикачи“, за да прикачите."; -"Okay" = "Добре"; -"We couldn't find an FAQ section with matching ID" = "Не можахме да открием секция от ЧЗВ със съответното ИД"; - -"GIFs are not supported" = "GIF не се поддържат"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bn.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bn.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index dbec3cfceb3f..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/bn.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "আপনি যা খুঁজছিলেন তা পাচ্ছেন না?"; -"Rate App" = "অ্যাপ্লিকেশনটিকে রেট দিন"; -"We\'re happy to help you!" = "আমরা আপনাকে সাহায্য করতে পেরে খুশি হলাম!"; -"Did we answer all your questions?" = "আমরা কি আপনার সব প্রশ্নের উত্তর দিয়েছি?"; -"Remind Later" = "পরে মনে করাবেন"; -"Your message has been received." = "আপনার মেসেজ গৃহীত হয়নি।"; -"Message send failure." = "মেসেজ পাঠাতে ব্যর্থ।"; -"What\'s your feedback about our customer support?" = "আমাদের গ্রাহক সহায়তা সম্পর্কে আপনার প্রতিক্রিয়া কী?"; -"Take a screenshot on your iPhone" = "আপনার আইফোনে একটি স্ক্রীনশট নিন"; -"Learn how" = "কিভাবে তা শিখুন"; -"Take a screenshot on your iPad" = "আপনার আইপ্যাডে একটি স্ক্রীনশট নিন"; -"Your email(optional)" = "আপনার ইমেইল (ঐচ্ছিক)"; -"Conversation" = "সংলাপ"; -"View Now" = "এখন দেখুন"; -"SEND ANYWAY" = "যেভাবেই হোক পাঠান"; -"OK" = "ঠিক আছে"; -"Help" = "সাহায্য"; -"Send message" = "বার্তা পাঠান"; -"REVIEW" = "পর্যালোচনা করুন"; -"Share" = "শেয়ার"; -"Close Help" = "Help বন্ধ করুন"; -"Sending your message..." = "আপনার মেসেজ পাঠানো হচ্ছে..."; -"Learn how to" = "শিখুন কিভাবে"; -"No FAQs found in this section" = "কোন প্রায়শই জিজ্ঞাসিত প্রশ্নাবলী এই বিভাগে পাওয়া যায়নি"; -"Thanks for contacting us." = "আমাদের সাথে যোগাযোগ করার জন্য ধন্যবাদ।"; -"Chat Now" = "এখন চ্যাট করুন"; -"Buy Now" = "এখন কিনুন"; -"New Conversation" = "নতুন সংলাপ"; -"Please check your network connection and try again." = "অনুগ্রহ করে আপনার নেটওয়ার্কের সংযোগ পরীক্ষা করুন এবং আবার চেষ্টা করুন।"; -"New message from Support" = "সহায়তা থেকে নতুন মেসেজ"; -"Question" = "প্রশ্ন"; -"Type in a new message" = "একটি নতুন বার্তা টাইপ করুন"; -"Email (optional)" = "ইমেল (ঐচ্ছিক)"; -"Reply" = "উত্তর"; -"CONTACT US" = "আমাদের সাথে যোগাযোগ করুন"; -"Email" = "ইমেল"; -"Like" = "পছন্দ"; -"Tap here if this FAQ was not helpful to you" = "এখানে ট্যাপ যদি এই FAQ আপনাকে সহায়ক ছিল না"; -"Any other feedback? (optional)" = "অন্য কোন মতামত? (ঐচ্ছিক)"; -"You found this helpful." = "আপনার কাছে এটি সহায়ক ছিল।"; -"No working Internet connection is found." = "কোন কার্যকর ইন্টারনেট সংযোগ পাওয়া যাচ্ছে না।"; -"No messages found." = "কোনো বার্তা পাওয়া যায়নি।"; -"Please enter a brief description of the issue you are facing." = "অনুগ্রহ করে আপনি যে সমস্যাটির সম্মুখীন হচ্ছেন সেটির একটি ছোট বিবরণ দিন।"; -"Shop Now" = "এখন কিনুন"; -"Close Section" = "সেকশন বন্ধ করুন"; -"Close FAQ" = "FAQ বন্ধ করুন"; -"Close" = "বন্ধ করুন"; -"This conversation has ended." = "এই সংলাপটি শেষ করা হয়েছে।"; -"Send it anyway" = "এটিকে এইভাবেই পাঠান"; -"You accepted review request." = "আপনি রিভিউ’র অনুরোধ গ্রহণ করেছেন।"; -"Delete" = "মুছুন"; -"What else can we help you with?" = "এছাড়া আমরা আপনাকে আর কি নিয়ে সাহায্য করতে পারি?"; -"Tap here if the answer was not helpful to you" = "উত্তরটি সহায়ককারী না হলে এখানে ট্যাপ করুন"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "সেটা জেনে দুঃখিত। অনুগ্রহ করে আপনি যে সমস্যাটির সম্মুখীন হচ্ছেন সেটি সম্পর্কে আমাদেরকে আরেকটু বলবেন?"; -"Service Rating" = "পরিসেবা গুণমান বিচার"; -"Your email" = "আপনার ইমেইল"; -"Email invalid" = "ইমেল অবৈধ"; -"Could not fetch FAQs" = "ফ্যাকস আনা গেল না"; -"Thanks for rating us." = "আমাদের গুণমান বিচার করার জন্য ধন্যবাদ।"; -"Download" = "ডাউনলোড"; -"Please enter a valid email" = "একটি বৈধ ইমেইল এন্টার করুন"; -"Message" = "বার্তা"; -"or" = "অথবা"; -"Decline" = "প্রত্যাখ্যান"; -"No" = "না"; -"Screenshot could not be sent. Image is too large, try again with another image" = "স্ক্রীনশট পাঠানো যায়নি। ছবিটি অত্যন্ত বড়, আরেকটি ছবি দিয়ে চেষ্টা করে দেখুন"; -"Hated it" = "এটি ঘৃণা করি"; -"Stars" = "স্টার"; -"Your feedback has been received." = "আপনার মতামত গৃহীত হয়েছে।"; -"Dislike" = "অপছন্দ"; -"Preview" = "পূর্বদৃশ্য"; -"Book Now" = "এখন বুক করুন"; -"START A NEW CONVERSATION" = "একটি নতুন সংলাপ শুরু করুন"; -"Your Rating" = "আপনার গুণমান বিচার"; -"No Internet!" = "কোন ইন্টারনেট নেই!"; -"Invalid Entry" = "অবৈধ লিখন"; -"Loved it" = "এটি ভালো লেগেছে"; -"Review on the App Store" = "App Store-এ রিভিউ দিন"; -"Open Help" = "Help ওপেন করুন"; -"Search" = "সার্চ"; -"Tap here if you found this FAQ helpful" = "FAQ সহায়ককারী হলে এখানে ট্যাপ করুন"; -"Star" = "স্টার"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "উত্তরটি সহায়ককারী হলে এখানে ট্যাপ করুন"; -"Report a problem" = "একটি সমস্যার প্রতিবেদন লিখুন"; -"YES, THANKS!" = "হ্যাঁ, ধন্যবাদ!"; -"Was this helpful?" = "এটি কি সহায়ক ছিল?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "আপনার মেসেজ পাঠানো হয়নি।এই মেসেজটি পাঠাতে \"আবার চেষ্টা করুন\" ট্যাপ করবেন?"; -"Suggestions" = "প্রস্তাব"; -"No FAQs found" = "কোন ফ্যাক খুঁজে পাওয়া যায়নি"; -"Done" = "করা হয়েছে"; -"Opening Gallery..." = "গ্যালারী খুলছে..."; -"You rated the service with" = "আপনি পরিষেবাটিকে রেট দিয়েছেন"; -"Cancel" = "বাতিল"; -"Loading..." = "লোড হচ্ছে..."; -"Read FAQs" = "FAQ গুলি পড়ুন"; -"Thanks for messaging us!" = "আমাদেরকে বার্তা পাঠানোর জন্য ধন্যবাদ!"; -"Try Again" = "পুনরায় চেষ্টা করুন"; -"Send Feedback" = "মতামত পাঠান"; -"Your Name" = "তোমার নাম"; -"Please provide a name." = "অনুগ্রহ করে একটি নাম দিন"; -"FAQ" = "ফ্যাক(বারংবার জিজ্ঞাসিত প্রশ্ন)"; -"Describe your problem" = "আপনার সমস্যাটি বর্ণনা করে বলুন"; -"How can we help?" = "আমরা কিভাবে সাহায্য করতে পারি?"; -"Help about" = "Help সম্পর্কিত"; -"We could not fetch the required data" = "আমরা প্রয়োজনীয় তথ্য আনতে পারিনি"; -"Name" = "নাম"; -"Sending failed!" = "পাঠাতে ব্যর্থ!"; -"You didn't find this helpful." = "আপনার এটিকে সহায়ককারী বলে মনে হয়নি"; -"Attach a screenshot of your problem" = "আপনার সমস্যার একটি স্ক্রিনশট সংযুক্ত করুন"; -"Mark as read" = "পঠিত হিসেবে চিহ্নিত করুন"; -"Name invalid" = "নাম অবৈধ"; -"Yes" = "হাঁ"; -"What's on your mind?" = "আপনার মনে কি চলছে?"; -"Send a new message" = "একটি নতুন বার্তা পাঠান"; -"Questions that may already have your answer" = "প্রশ্ন যাতে ইতিমধ্যেই আপনার উত্তর লুকিয়ে রয়েছে"; -"Attach a photo" = "একটি ফটো সংযুক্ত করুন"; -"Accept" = "গ্রহন"; -"Your reply" = "আপনার উত্তর"; -"Inbox" = "ইনবক্স"; -"Remove attachment" = "অ্যাটাচমেন্ট অপসারণ"; -"Could not fetch message" = "বার্তাকে আনা যায়নি"; -"Read FAQ" = "FAQ পড়ুন"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "দুঃখিত! নিষ্ক্রিয়তার কারণে এই কথোপকথনটি বন্ধ করে দেওয়া হয়েছে। অনুগ্রহ করে আমাদের এজেন্টদের সঙ্গে একটি নতুন কথোপকথন শুরু করুন।"; -"%d new messages from Support" = "%d সাপোর্ট থেকে আসা নতুন মেসেজগুলি"; -"Ok, Attach" = "ঠিক আছে, সংযুক্ত করুন"; -"Send" = "পাঠান"; -"Screenshot size should not exceed %.2f MB" = "স্ক্রিনশটের সাইজ %.2f MB-এর বেশী রাখা যাবে না"; -"Information" = "তথ্য"; -"Issue ID" = "সমস্যা আইডি"; -"Tap to copy" = "কপি করতে ট্যাপ করুন"; -"Copied!" = "কপি করা হয়েছে"; -"We couldn't find an FAQ with matching ID" = "আমরা এই আইডি সংশ্লিষ্ট কোনো FAQ খুঁজে পাইনি"; -"Failed to load screenshot" = "স্ক্রিনশট লোড ব্যর্থ হযেছে"; -"Failed to load video" = "ভিডিও লোড করতে ব্যর্থ হযেছে"; -"Failed to load image" = "ছবি লোড করতে ব্যর্থ হযেছে"; -"Hold down your device's power and home buttons at the same time." = "একই সময়ে আপনার ডিভাইসের পাওয়ার এবং হোম বাটন চেপে ধরে রাখুন।"; -"Please note that a few devices may have the power button on the top." = "অনুগ্রহ করে মনে রাখবেন পাওয়ার বাটন কয়েকটি ডিভাইসের উপরের দিকে থাকতে পারে।"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "একবার সম্পন্ন হয়ে গেলে, এই কথোপকথনে ফিরে আসুন এবং এটিকে সংযুক্ত করতে \"ক আছে, সংযুক্ত করুন\"-এ ট্যাপ করুন।"; -"Okay" = "ঠিক আছে"; -"We couldn't find an FAQ section with matching ID" = "আমরা এই আইডি সংশ্লিষ্ট কোনো FAQ বিভাগ খুঁজে পাইনি"; - -"GIFs are not supported" = "GIF সমর্থিত হয় না"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ca.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ca.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 2d3eb28771d2..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ca.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "No trobes el que busques?"; -"Rate App" = "Avalua l'aplicació"; -"We\'re happy to help you!" = "És un plaer ajudar-te."; -"Did we answer all your questions?" = "Hem respost totes les teves preguntes?"; -"Remind Later" = "Recorda-m'ho més tard"; -"Your message has been received." = "Hem rebut el teu missatge."; -"Message send failure." = "Error d'enviament de missatge."; -"What\'s your feedback about our customer support?" = "Quins suggeriments tens sobre el Servei d'Atenció?"; -"Take a screenshot on your iPhone" = "Fes una foto de la pantalla amb el teu iPhone"; -"Learn how" = "Com fer-ho"; -"Take a screenshot on your iPad" = "Fes una foto de la pantalla amb el teu iPad"; -"Your email(optional)" = "La teva adreça electrònica (opcional)"; -"Conversation" = "Conversa"; -"View Now" = "Mostra ara"; -"SEND ANYWAY" = "ENVIAR DE TOTES MANERES"; -"OK" = "D'acord"; -"Help" = "Ajuda"; -"Send message" = "Envia el missatge"; -"REVIEW" = "REVISAR"; -"Share" = "Comparteix"; -"Close Help" = "Tanca l'ajuda"; -"Sending your message..." = "Enviant el teu missatge..."; -"Learn how to" = "Més informació sobre com"; -"No FAQs found in this section" = "No s'han trobat preguntes freqüents en aquesta secció."; -"Thanks for contacting us." = "Gràcies per posar-te en contacte amb nosaltres."; -"Chat Now" = "Xateja ara"; -"Buy Now" = "Compra ara"; -"New Conversation" = "Conversa"; -"Please check your network connection and try again." = "Si us plau, revisa la teva connexió a Internet i tornar-ho a intentar."; -"New message from Support" = "Nou missatge del Servei d'Atenció"; -"Question" = "Pregunta"; -"Type in a new message" = "Escriu en un missatge nou"; -"Email (optional)" = "Adreça electrònica (opcional)"; -"Reply" = "Respon"; -"CONTACT US" = "POSA'T EN CONTACTE AMB NOSALTRES"; -"Email" = "Adreça electrònica"; -"Like" = "M'agrada"; -"Tap here if this FAQ was not helpful to you" = "Toca aquí si la pregunta no t'ha servit d'ajuda"; -"Any other feedback? (optional)" = "Vols fer cap altre comentari? (opcional)"; -"You found this helpful." = "T'ha ajudat."; -"No working Internet connection is found." = "No s'ha trobat cap connexió Internet activa."; -"No messages found." = "No s'ha trobat cap missatge."; -"Please enter a brief description of the issue you are facing." = "Si us plau, introdueix una breu descripció del problema que estàs tenint."; -"Shop Now" = "Compra ara"; -"Close Section" = "Tanca la secció"; -"Close FAQ" = "Tanca les preguntes freqüents"; -"Close" = "Tancar"; -"This conversation has ended." = "Aquesta conversa ha finalitzat."; -"Send it anyway" = "Envia de totes maneres"; -"You accepted review request." = "Has acceptat la sol·licitud per escriure una ressenya."; -"Delete" = "Suprimeix"; -"What else can we help you with?" = "Et podem ajudar amb alguna cosa més?"; -"Tap here if the answer was not helpful to you" = "Toca aquí si la resposta no t'ha servit d'ajuda"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Ens sap greu. Ens pots explicar breument quin problema estàs tenint?"; -"Service Rating" = "Avaluació del Servei"; -"Your email" = "La teva adreça electrònica"; -"Email invalid" = "Correu electrònic invàlid"; -"Could not fetch FAQs" = "No s'han trobat Preguntes freqüents"; -"Thanks for rating us." = "Gràcies per enviar-nos la teva valoració."; -"Download" = "Baixa"; -"Please enter a valid email" = "Introdueix una adreça electrònica vàlida"; -"Message" = "Missatge"; -"or" = "o"; -"Decline" = "Rebutja"; -"No" = "No"; -"Screenshot could not be sent. Image is too large, try again with another image" = "La fotografia de pantalla no s'ha enviat. La imatge pesa massa, torna a intentar-ho amb una altra imatge"; -"Hated it" = "Gens satisfet"; -"Stars" = "Estrelles"; -"Your feedback has been received." = "Hem rebut el teu comentari."; -"Dislike" = "No m'agrada"; -"Preview" = "Vista prèvia"; -"Book Now" = "Reserva ara"; -"START A NEW CONVERSATION" = "COMENÇAR UNA NOVA CONVERSA"; -"Your Rating" = "La teva Valoració"; -"No Internet!" = "Sense Internet!"; -"Invalid Entry" = "Entrada invàlida"; -"Loved it" = "Molt satisfet"; -"Review on the App Store" = "Escriu una ressenya a l'App Store"; -"Open Help" = "Obre l'ajuda"; -"Search" = "Cerca"; -"Tap here if you found this FAQ helpful" = "Toca aquí si la pregunta t'ha resultat útil"; -"Star" = "Estrella"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Toca aquí si la resposta t'ha resultat útil"; -"Report a problem" = "Informa sobre un problema"; -"YES, THANKS!" = "SÍ, GRÀCIES!"; -"Was this helpful?" = "Ha estat d'ajuda?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "El teu missatge no s'ha enviat. Fes clic a \"Intentar de nou\" per enviar aquest missatge?"; -"Suggestions" = "Suggeriments"; -"No FAQs found" = "No s'han trobat Preguntes Freqüents"; -"Done" = "Fet"; -"Opening Gallery..." = "Obrint Fotos..."; -"You rated the service with" = "Has puntuat el servei amb"; -"Cancel" = "Cancel·lar"; -"Loading..." = "S'està carregant…"; -"Read FAQs" = "Consulta les preguntes freqüents"; -"Thanks for messaging us!" = "Gràcies per enviar-nos aquest missatge."; -"Try Again" = "Torna-ho a provar."; -"Send Feedback" = "Enviar Comentari"; -"Your Name" = "Nom"; -"Please provide a name." = "Si us plau, introdueix un nom."; -"FAQ" = "Preguntes freqüents"; -"Describe your problem" = "Descriu el teu problema"; -"How can we help?" = "Com et podem ajudar?"; -"Help about" = "Ajuda sobre"; -"We could not fetch the required data" = "No hem trobat les dades necessàries"; -"Name" = "Nom"; -"Sending failed!" = "Error d'enviament!"; -"You didn't find this helpful." = "No t'ha servit d'ajuda."; -"Attach a screenshot of your problem" = "Adjunta una captura de pantalla del problema"; -"Mark as read" = "Marca'l com a llegit"; -"Name invalid" = "Nom invàlid"; -"Yes" = "Sí"; -"What's on your mind?" = "Què estàs pensant?"; -"Send a new message" = "Envia un missatge nou"; -"Questions that may already have your answer" = "Preguntes que ja et poden donar la teva resposta"; -"Attach a photo" = "Adjunta una foto"; -"Accept" = "Accepta"; -"Your reply" = "La teva resposta"; -"Inbox" = "Safata d'entrada"; -"Remove attachment" = "Suprimeix el fitxer adjunt"; -"Could not fetch message" = "No hem trobat el missatge"; -"Read FAQ" = "Consulta les preguntes freqüents"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Aquesta conversa s'ha tancat perquè estava inactiva. Comença una nova conversa amb els nostres agents."; -"%d new messages from Support" = "%d missatges nous del Servei d'Atenció"; -"Ok, Attach" = "D'acord, adjunta"; -"Send" = "Envia"; -"Screenshot size should not exceed %.2f MB" = "La mida de la captura de la pantalla no pot tenir més de %.2f MB"; -"Information" = "Informació"; -"Issue ID" = "Identificador del problema"; -"Tap to copy" = "Toca per copiar-ho"; -"Copied!" = "S'ha copiat correctament."; -"We couldn't find an FAQ with matching ID" = "No hem trobat cap pregunta amb aquest identificador."; -"Failed to load screenshot" = "No s'ha pogut carregar la captura de pantalla."; -"Failed to load video" = "No s'ha pogut carregar el vídeo."; -"Failed to load image" = "No s'ha pogut carregar la imatge."; -"Hold down your device's power and home buttons at the same time." = "Mantén premuts alhora el botó d'engegada i el botó d'inici del teu dispositiu."; -"Please note that a few devices may have the power button on the top." = "És possible que el botó d'engegada d'alguns dispositius sigui a la part superior."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Un cop fet, torna a aquesta conversa i toca \"D'acord, adjunta\" per adjuntar-la."; -"Okay" = "D'acord"; -"We couldn't find an FAQ section with matching ID" = "No hem trobat cap secció de preguntes freqüents amb aquest identificador."; - -"GIFs are not supported" = "Els GIF no són compatibles"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/cs.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/cs.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index aeabbbd8050a..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/cs.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Nemůžete najít, co hledáte?"; -"Rate App" = "Ohodnotit aplikaci"; -"We\'re happy to help you!" = "Jsme rádi, že jsme vám mohli pomoci!"; -"Did we answer all your questions?" = "Zodpověděli jsme všechny vaše dotazy?"; -"Remind Later" = "Připomenout později"; -"Your message has been received." = "Vaše zpráva byla přijata."; -"Message send failure." = "Odeslání zprávy se nezdařilo."; -"What\'s your feedback about our customer support?" = "Jakou zpětnou vazbu byste poskytli naší zákaznické podpoře?"; -"Take a screenshot on your iPhone" = "Pořiďte na svém iPhonu screenshot"; -"Learn how" = "Zjistit jak"; -"Take a screenshot on your iPad" = "Pořiďte na svém iPadu screenshot"; -"Your email(optional)" = "Váš e-mail (volitelný)"; -"Conversation" = "Konverzace"; -"View Now" = "Zobrazit hned"; -"SEND ANYWAY" = "PŘESTO ODESLAT"; -"OK" = "OK"; -"Help" = "Nápověda"; -"Send message" = "Odeslat zprávu"; -"REVIEW" = "HODNOCENÍ"; -"Share" = "Sdílet"; -"Close Help" = "Zavřít nápovědu"; -"Sending your message..." = "Vaše zpráva se odesílá..."; -"Learn how to" = "Zjistěte jak"; -"No FAQs found in this section" = "V této části nebyly nalezeny žádné časté otázky"; -"Thanks for contacting us." = "Děkujeme, že jste se na nás obrátili."; -"Chat Now" = "Zahájit chat hned"; -"Buy Now" = "Koupit hned"; -"New Conversation" = "Nová konverzace"; -"Please check your network connection and try again." = "Ověřte připojení k síti a zkuste to znovu."; -"New message from Support" = "Nová zpráva z podpory"; -"Question" = "Otázka"; -"Type in a new message" = "Napište novou zprávu"; -"Email (optional)" = "E-mail (volitelné)"; -"Reply" = "Odpovědět"; -"CONTACT US" = "KONTAKTUJE NÁS"; -"Email" = "E-mail"; -"Like" = "To se mi líbí"; -"Tap here if this FAQ was not helpful to you" = "Pokud tyto často kladené dotazy nebyly užitečné, klepněte sem"; -"Any other feedback? (optional)" = "Nějaká další zpětná vazba? (volitelné)"; -"You found this helpful." = "Informace jste vyhodnotili jako užitečné."; -"No working Internet connection is found." = "Nenalezeno funkční připojení k internetu."; -"No messages found." = "Žádné zprávy nenalezeny."; -"Please enter a brief description of the issue you are facing." = "Zadejte stručný popis problému, který řešíte."; -"Shop Now" = "Nakupovat hned"; -"Close Section" = "Zavřít sekci"; -"Close FAQ" = "Zavřít často kladené dotazy"; -"Close" = "Zavřít"; -"This conversation has ended." = "Tato konverzace skončila."; -"Send it anyway" = "Přesto odeslat"; -"You accepted review request." = "Přijali jste žádost o hodnocení."; -"Delete" = "Odstranit"; -"What else can we help you with?" = "S čím vám ještě můžeme pomoci?"; -"Tap here if the answer was not helpful to you" = "Pokud odpověď nebyla užitečná, klepněte sem"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "To je nám líto. Můžete nám o aktuálním problému říci více?"; -"Service Rating" = "Hodnocení služby"; -"Your email" = "Váš e-mail"; -"Email invalid" = "E-mail není platný"; -"Could not fetch FAQs" = "Nebylo možné vyvolat často kladené dotazy"; -"Thanks for rating us." = "Děkujeme za vaše hodnocení."; -"Download" = "Stáhnout"; -"Please enter a valid email" = "Prosím, zadejte platný e-mail"; -"Message" = "Zpráva"; -"or" = "nebo"; -"Decline" = "Odmítnout"; -"No" = "Ne"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Screenshot se nepodařilo odeslat. Obrázek je příliš velký, zkuste opakovat s jiným"; -"Hated it" = "Byla příšerná"; -"Stars" = "Hvězdičky"; -"Your feedback has been received." = "Vaše zpětná vazba byla přijata."; -"Dislike" = "To se mi nelíbí"; -"Preview" = "Náhled"; -"Book Now" = "Rezervovat hned"; -"START A NEW CONVERSATION" = "ZAHÁJIT NOVOU KONVERZACI"; -"Your Rating" = "Vaše hodnocení"; -"No Internet!" = "Internet není k dispozici!"; -"Invalid Entry" = "Neplatné zadání"; -"Loved it" = "Byla skvělá"; -"Review on the App Store" = "Ohodnotit v App Store"; -"Open Help" = "Otevřít nápovědu"; -"Search" = "Vyhledat"; -"Tap here if you found this FAQ helpful" = "Pokud tyto často kladené dotazy byly užitečné, klepněte sem"; -"Star" = "Hvězdička"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Pokud odpověď byla užitečná, klepněte sem"; -"Report a problem" = "Nahlásit problém"; -"YES, THANKS!" = "ANO, DÍKY!"; -"Was this helpful?" = "Byly tyto informace užitečné?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Vaše zpráva nebyla odeslána. Klepněte na \"Zkusit znovu\" odeslat tuto zprávu?"; -"Suggestions" = "Návrhy"; -"No FAQs found" = "Často kladené dotazy nenalezeny"; -"Done" = "Hotovo"; -"Opening Gallery..." = "Otevírání galerie..."; -"You rated the service with" = "Službu jste hodnotili takto"; -"Cancel" = "Zrušit"; -"Loading..." = "Nahrávání..."; -"Read FAQs" = "Přečíst často kladené dotazy"; -"Thanks for messaging us!" = "Děkujeme za vaši zprávu!"; -"Try Again" = "Zkusit znovu"; -"Send Feedback" = "Odeslat zpětnou vazbu"; -"Your Name" = "Vaše jméno"; -"Please provide a name." = "Zadejte jméno."; -"FAQ" = "Často kladené dotazy"; -"Describe your problem" = "Popište váš problém"; -"How can we help?" = "Jak můžeme pomoci?"; -"Help about" = "Nápověda k tématu"; -"We could not fetch the required data" = "Nepodařilo se vyvolat požadované údaje"; -"Name" = "Jméno"; -"Sending failed!" = "Odeslání se nezdařilo!"; -"You didn't find this helpful." = "Informace jste vyhodnotili jako neužitečné."; -"Attach a screenshot of your problem" = "Připojte screenshot vašeho problému"; -"Mark as read" = "Označit jako přečtené"; -"Name invalid" = "Neplatné jméno"; -"Yes" = "Ano"; -"What's on your mind?" = "Co máte na mysli?"; -"Send a new message" = "Odeslat novou zprávu"; -"Questions that may already have your answer" = "Otázky, na které již možná existuje odpověď"; -"Attach a photo" = "Připojit fotografii"; -"Accept" = "Přijmout"; -"Your reply" = "Vaše odpověď"; -"Inbox" = "Doručené"; -"Remove attachment" = "Odebrat přílohu"; -"Could not fetch message" = "Nebylo možné vyvolat zprávu"; -"Read FAQ" = "Přečíst často kladené dotazy"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Omlouváme se! Tato konverzace byla uzavřena z důvodu nečinnosti. Prosím, zahajte novou konverzaci s našimi agenty."; -"%d new messages from Support" = "Počet nových zpráv z podpory: %d"; -"Ok, Attach" = "OK, připojit"; -"Send" = "Odeslat"; -"Screenshot size should not exceed %.2f MB" = "Velikost screenshotu by neměla přesáhnout %.2f MB"; -"Information" = "Informace"; -"Issue ID" = "ID problému"; -"Tap to copy" = "Klepněte pro kopírování"; -"Copied!" = "Zkopírováno!"; -"We couldn't find an FAQ with matching ID" = "Nepodařilo se nám najít často kladené otázky s tímto ID"; -"Failed to load screenshot" = "Načítání screenshotu se nezdařilo"; -"Failed to load video" = "Načítání videa nezdařilo"; -"Failed to load image" = "Načítání obrázku nezdařilo"; -"Hold down your device's power and home buttons at the same time." = "Přidržte na svém zařízení zároveň tlačítko vypnout/zapnout a domů."; -"Please note that a few devices may have the power button on the top." = "Upozorňujeme, že některá zařízení mohou mít tlačítko vypnout/zapnout v horní části."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Jakmile tak učiníte, vraťte se k této konverzaci a pro připojení klepněte na možnost „OK, připojit“."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Nepodařilo se nám najít oddíl s často kladenými otázkami s tímto ID"; - -"GIFs are not supported" = "GIF nejsou podporovány"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/da.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/da.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 0a012186aac2..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/da.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Kan du ikke finde det, du leder efter?"; -"Rate App" = "Bedøm app"; -"We\'re happy to help you!" = "Vi vil meget gerne hjælpe dig!"; -"Did we answer all your questions?" = "Har vi svaret på alle dine spørgsmål?"; -"Remind Later" = "Påmind mig senere"; -"Your message has been received." = "Din besked er blevet modtaget."; -"Message send failure." = "Beskeden blev ikke sendt."; -"What\'s your feedback about our customer support?" = "Hvad synes du om vores kundesupport?"; -"Take a screenshot on your iPhone" = "Tag et skærmbillede på din iPhone"; -"Learn how" = "Se hvordan"; -"Take a screenshot on your iPad" = "Tag et skræmbillede på din iPad"; -"Your email(optional)" = "Din e-mailadresse (valgfrit)"; -"Conversation" = "Besked"; -"View Now" = "Vis nu"; -"SEND ANYWAY" = "SEND ALLIGEVEL"; -"OK" = "OK"; -"Help" = "Hjælp"; -"Send message" = "Send besked"; -"REVIEW" = "BEDØM"; -"Share" = "Del"; -"Close Help" = "Luk Hjælp"; -"Sending your message..." = "Sender din besked ..."; -"Learn how to" = "Se hvordan"; -"No FAQs found in this section" = "Ingen OSS fundet i denne sektion"; -"Thanks for contacting us." = "Tak fordi du kontaktede os."; -"Chat Now" = "Chat nu"; -"Buy Now" = "Køb nu"; -"New Conversation" = "Ny besked"; -"Please check your network connection and try again." = "Tjek din internetforbindelse, og prøv igen."; -"New message from Support" = "Ny besked fra support"; -"Question" = "Spørgsmål"; -"Type in a new message" = "Indtast en ny besked"; -"Email (optional)" = "E-mail (valgfrit)"; -"Reply" = "Svar"; -"CONTACT US" = "KONTAKT OS"; -"Email" = "E-mail"; -"Like" = "Synes om"; -"Tap here if this FAQ was not helpful to you" = "Tryk her, hvis dette OSS var unyttigt"; -"Any other feedback? (optional)" = "Er der andet, du gerne vil fortælle os? (valgfrit)"; -"You found this helpful." = "Du kunne bruge denne information."; -"No working Internet connection is found." = "En internetforbindelse blev ikke fundet."; -"No messages found." = "Ingen beskeder fundet."; -"Please enter a brief description of the issue you are facing." = "Indtast en kort beskrivelse af dit problem."; -"Shop Now" = "Shop nu"; -"Close Section" = "Luk sektion"; -"Close FAQ" = "Luk OSS"; -"Close" = "Luk"; -"This conversation has ended." = "Denne besked er slut."; -"Send it anyway" = "Send alligevel"; -"You accepted review request." = "Anmodning om bedømmelse accepteret"; -"Delete" = "Slet"; -"What else can we help you with?" = "Hvad kan vi ellers hjælpe dig med?"; -"Tap here if the answer was not helpful to you" = "Tryk her, hvis svaret var unyttigt"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Det er vi kede af at høre. Kunne du tænke dig at fortælle os lidt mere om dit problem?"; -"Service Rating" = "Servicebedømmelse"; -"Your email" = "Din e-mailadresse"; -"Email invalid" = "Ugyldig e-mailadresse"; -"Could not fetch FAQs" = "OSS blev ikke indlæst"; -"Thanks for rating us." = "Tak for din bedømmelse."; -"Download" = "Download"; -"Please enter a valid email" = "Indtast en gyldig e-mailadresse"; -"Message" = "Besked"; -"or" = "eller"; -"Decline" = "Afslå"; -"No" = "Nej"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Skærmbilledet blev ikke sendt. Billedet er for stort. Prøv igen med et andet billede"; -"Hated it" = "Hader den"; -"Stars" = "stjerner"; -"Your feedback has been received." = "Vi har modtaget din feedback."; -"Dislike" = "Synes ikke om"; -"Preview" = "Forhåndsvisning"; -"Book Now" = "Bestil nu"; -"START A NEW CONVERSATION" = "START EN NY BESKED"; -"Your Rating" = "Din bedømmelse"; -"No Internet!" = "Ingen internetforbindelse!"; -"Invalid Entry" = "Ugyldig tekst"; -"Loved it" = "Elsker den"; -"Review on the App Store" = "Bedøm i App Store"; -"Open Help" = "Åbn Hjælp"; -"Search" = "Søg"; -"Tap here if you found this FAQ helpful" = "Tryk her, hvis dette OSS var nyttigt"; -"Star" = "stjerne"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tryk her, hvis svaret var nyttigt"; -"Report a problem" = "Rapportér et problem"; -"YES, THANKS!" = "JA TAK!"; -"Was this helpful?" = "Kunne du bruge denne information?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Din besked blev ikke sendt. Tryk på \"Prøv igen\" for at sende denne besked."; -"Suggestions" = "Forslag"; -"No FAQs found" = "Ingen OSS fundet"; -"Done" = "Udført"; -"Opening Gallery..." = "Åbn galleriet ..."; -"You rated the service with" = "Du bedømte tjenesten med"; -"Cancel" = "Annuller"; -"Loading..." = "Indlæser ..."; -"Read FAQs" = "Læs OSS"; -"Thanks for messaging us!" = "Tak for din besked!"; -"Try Again" = "Prøv igen"; -"Send Feedback" = "Send feedback"; -"Your Name" = "Dit navn"; -"Please provide a name." = "Vælg et andet navn."; -"FAQ" = "OSS"; -"Describe your problem" = "Beskriv dit problem"; -"How can we help?" = "Hvordan kan vi hjælpe dig?"; -"Help about" = "Hjælp om"; -"We could not fetch the required data" = "De nødvendige oplysninger blev ikke indlæst"; -"Name" = "Navn"; -"Sending failed!" = "Der opstod en fejl!"; -"You didn't find this helpful." = "Du kunne ikke bruge denne information."; -"Attach a screenshot of your problem" = "Vedhæft et skærmbillede af dit problem"; -"Mark as read" = "Markér som læst"; -"Name invalid" = "Ugyldigt navn"; -"Yes" = "Ja"; -"What's on your mind?" = "Hvad bekymrer dig?"; -"Send a new message" = "Send en ny besked"; -"Questions that may already have your answer" = "Spørgsmål, der måske allerede er blevet besvaret"; -"Attach a photo" = "Vedhæft et foto"; -"Accept" = "Acceptér"; -"Your reply" = "Dit svar"; -"Inbox" = "Indbakke"; -"Remove attachment" = "Fjern vedhæftet fil"; -"Could not fetch message" = "Beskeden kunne ikke hentes"; -"Read FAQ" = "Læs OSS"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Vi beklager! Denne samtale blev lukket pga. inaktivitet. Start en ny samtale med vores agenter."; -"%d new messages from Support" = "%d nye beskeder fra support"; -"Ok, Attach" = "Ok, vedhæft"; -"Send" = "Send"; -"Screenshot size should not exceed %.2f MB" = "Skærmbilledets størrelse må ikke overskride %.2f MB"; -"Information" = "Oplysninger"; -"Issue ID" = "Problem-id"; -"Tap to copy" = "Tryk for at kopiere"; -"Copied!" = "Kopieret!"; -"We couldn't find an FAQ with matching ID" = "Der blev ikke fundet et OSS med et matchende ID"; -"Failed to load screenshot" = "Skærmbilledet blev ikke indlæst"; -"Failed to load video" = "Videoen blev ikke indlæst"; -"Failed to load image" = "Beskeden blev ikke indlæst"; -"Hold down your device's power and home buttons at the same time." = "Hold tænd/sluk- og hjem-knappen nede samtidig."; -"Please note that a few devices may have the power button on the top." = "Vær opmærksom på, at på nogle få enheder sidder tænd/sluk-knappen øverst"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Når dette er gjort, skal du vende tilbage til denne skærm og trykke på \"OK, vedhæft\" for at vedhæfte det."; -"Okay" = "Okay"; -"We couldn't find an FAQ section with matching ID" = "Der blev ikke fundet en OSS-sektion med et matchende ID"; - -"GIFs are not supported" = "GIF'er understøttes ikke"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/de.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/de.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 434d6602e88e..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/de.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Nicht gefunden, wonach Sie gesucht haben?"; -"Rate App" = "App bewerten"; -"We\'re happy to help you!" = "Wir helfen gern!"; -"Did we answer all your questions?" = "Haben wir all ihre Fragen beantwortet?"; -"Remind Later" = "Später erinnern"; -"Your message has been received." = "Wir haben Ihre Nachricht erhalten."; -"Message send failure." = "Fehler beim Senden von Nachricht."; -"What\'s your feedback about our customer support?" = "Wie gefällt Ihnen unser Kundensupport?"; -"Take a screenshot on your iPhone" = "Screenshot auf iPhone erstellen"; -"Learn how" = "Mehr erfahren"; -"Take a screenshot on your iPad" = "Screenshot auf iPad erstellen"; -"Your email(optional)" = "Ihre E-Mail (optional)"; -"Conversation" = "Konversation"; -"View Now" = "Jetzt ansehen"; -"SEND ANYWAY" = "TROTZDEM SENDEN"; -"OK" = "OK"; -"Help" = "Hilfe"; -"Send message" = "Nachricht senden"; -"REVIEW" = "REZENSION"; -"Share" = "Teilen"; -"Close Help" = "Hilfe schließen"; -"Sending your message..." = "Nachricht wird gesendet ..."; -"Learn how to" = "Mehr erfahren zu:"; -"No FAQs found in this section" = "Keine FAQs in diesem Abschnitt gefunden"; -"Thanks for contacting us." = "Danke, dass Sie uns kontaktieren."; -"Chat Now" = "Jetzt chatten"; -"Buy Now" = "Jetzt kaufen"; -"New Conversation" = "Neue Konversation"; -"Please check your network connection and try again." = "Bitte überprüfen Sie Ihre Netzwerkverbindung und versuchen Sie es erneut."; -"New message from Support" = "Neue Support-Nachricht"; -"Question" = "Frage"; -"Type in a new message" = "Geben Sie eine neue Nachricht ein."; -"Email (optional)" = "E-Mail-Adresse (optional)"; -"Reply" = "Antworten"; -"CONTACT US" = "KONTAKT"; -"Email" = "E-Mail-Adresse"; -"Like" = "Gefällt mir"; -"Tap here if this FAQ was not helpful to you" = "Tippen Sie hier, falls die FAQ nicht hilfreich war."; -"Any other feedback? (optional)" = "Möchten Sie uns noch mehr mitteilen? (optional)"; -"You found this helpful." = "Es hat mir geholfen."; -"No working Internet connection is found." = "Keine aktive Internetverbindung gefunden."; -"No messages found." = "Keine Nachrichten gefunden."; -"Please enter a brief description of the issue you are facing." = "Bitte geben Sie eine kurze Beschreibung Ihres Problems ein."; -"Shop Now" = "Jetzt einkaufen"; -"Close Section" = "Bereich schließen"; -"Close FAQ" = "FAQ schließen"; -"Close" = "Schließen"; -"This conversation has ended." = "Diese Konversation ist beendet."; -"Send it anyway" = "Trotzdem senden"; -"You accepted review request." = "Sie haben die Rezensionsanfrage akzeptiert."; -"Delete" = "Löschen"; -"What else can we help you with?" = "Womit können wir Ihnen noch helfen?"; -"Tap here if the answer was not helpful to you" = "Tippen Sie hier, falls die Antwort nicht hilfreich war."; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Würden Sie uns bitte mehr über das Problem erzählen, das bei Ihnen aufgetreten ist?"; -"Service Rating" = "Servicebewertung"; -"Your email" = "Ihre E-Mail"; -"Email invalid" = "Ungültige E-Mail-Adresse"; -"Could not fetch FAQs" = "Abrufen von FAQs gescheitert"; -"Thanks for rating us." = "Vielen Dank für Ihre Bewertung."; -"Download" = "Download"; -"Please enter a valid email" = "Bitte geben Sie eine gültige E-Mail-Adresse ein."; -"Message" = "Nachricht"; -"or" = "oder"; -"Decline" = "Ablehnen"; -"No" = "Nein"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Senden von Screenshot fehlgeschlagen: Bild ist zu groß. Bitte noch einmal mit einem anderen Bild versuchen."; -"Hated it" = "Gefiel mir nicht"; -"Stars" = "Sterne"; -"Your feedback has been received." = "Wir haben Ihr Feedback erhalten."; -"Dislike" = "Gefällt mir nicht"; -"Preview" = "Vorschau"; -"Book Now" = "Jetzt buchen"; -"START A NEW CONVERSATION" = "NEUE KONVERSATION STARTEN"; -"Your Rating" = "Ihre Bewertung"; -"No Internet!" = "Kein Internet!"; -"Invalid Entry" = "Ungültiger Eintrag"; -"Loved it" = "Gefiel mir sehr"; -"Review on the App Store" = "Im App Store rezensieren"; -"Open Help" = "Hilfe öffnen"; -"Search" = "Suche"; -"Tap here if you found this FAQ helpful" = "Tippen Sie hier, falls diese FAQ hilfreich war."; -"Star" = "Stern"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tippen Sie hier, falls die Antwort hilfreich war."; -"Report a problem" = "Problem melden"; -"YES, THANKS!" = "JA, DANKE!"; -"Was this helpful?" = "War das hilfreich?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Ihre Nachricht wurde nicht gesendet. Tippen Sie auf \"Wiederholen\", um diese Nachricht erneut zu senden."; -"Suggestions" = "Vorschläge"; -"No FAQs found" = "Keine FAQs gefunden"; -"Done" = "Fertig"; -"Opening Gallery..." = "Galerie öffnen ..."; -"You rated the service with" = "Sie haben den Service wie folgt bewertet:"; -"Cancel" = "Abbrechen"; -"Loading..." = "Laden ..."; -"Read FAQs" = "FAQs lesen"; -"Thanks for messaging us!" = "Danke, das Sie uns geschrieben haben!"; -"Try Again" = "Wiederholen"; -"Send Feedback" = "Feedback senden"; -"Your Name" = "Ihr Name"; -"Please provide a name." = "Bitte geben Sie einen Namen ein."; -"FAQ" = "FAQ"; -"Describe your problem" = "Beschreiben Sie Ihr Problem"; -"How can we help?" = "Wie können wir helfen?"; -"Help about" = "Hilfe zu"; -"We could not fetch the required data" = "Wir konnten die erforderlichen Daten nicht abrufen."; -"Name" = "Name"; -"Sending failed!" = "Senden fehlgeschlagen!"; -"You didn't find this helpful." = "Sie fanden dies nicht hilfreich."; -"Attach a screenshot of your problem" = "Hängen Sie einen Screenshot Ihres Problems an."; -"Mark as read" = "Als gelesen markieren"; -"Name invalid" = "Ungültiger Name"; -"Yes" = "Ja"; -"What's on your mind?" = "Worüber möchten Sie reden?"; -"Send a new message" = "Neue Nachricht senden"; -"Questions that may already have your answer" = "Fragen, die bereits Antworten für Sie enthalten könnten"; -"Attach a photo" = "Foto anhängen"; -"Accept" = "Annehmen"; -"Your reply" = "Ihre Antwort"; -"Inbox" = "Posteingang"; -"Remove attachment" = "Anhang entfernen"; -"Could not fetch message" = "Nachricht konnte nicht abgerufen werden."; -"Read FAQ" = "FAQ lesen"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Tut uns leid! Diese Konversation wurde aufgrund von Inaktivität geschlossen. Bitte beginnen Sie eine neue Konversation mit unseren Agenten."; -"%d new messages from Support" = "%d neue Support-Nachrichten"; -"Ok, Attach" = "OK, anhängen"; -"Send" = "Senden"; -"Screenshot size should not exceed %.2f MB" = "Die Größe des Screenshots sollte %.2f MB nicht überschreiten."; -"Information" = "Details"; -"Issue ID" = "Problem-ID"; -"Tap to copy" = "Zum Kopieren tippen"; -"Copied!" = "Kopiert!"; -"We couldn't find an FAQ with matching ID" = "Wir konnten keine FAQ mit passender ID finden."; -"Failed to load screenshot" = "Bildschirmfoto konnte nicht geladen werden"; -"Failed to load video" = "Video konnte nicht geladen werden"; -"Failed to load image" = "Bild konnte nicht geladen werden"; -"Hold down your device's power and home buttons at the same time." = "Halten Sie gleichzeitig Standby- und Home-Taste Ihres Geräts gedrückt."; -"Please note that a few devices may have the power button on the top." = "Bitte beachten Sie, dass die Standby-Taste bei einigen Geräten an der Oberseite angebracht ist."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Kehren Sie danach zu dieser Konversation zurück und tippen Sie auf \"OK, anhängen\", um den Screenshot anzuhängen."; -"Okay" = "Okay"; -"We couldn't find an FAQ section with matching ID" = "Wir konnten keinen FAQ-Abschnitt mit passender ID finden."; - -"GIFs are not supported" = "GIFs werden nicht unterstützt"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/el.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/el.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index e292219a32c1..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/el.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Δεν μπορείτε να βρείτε αυτό που ψάχνετε;"; -"Rate App" = "Αξιολόγηση εφαρμογής"; -"We\'re happy to help you!" = "Θα σας βοηθήσουμε με μεγάλη χαρά!"; -"Did we answer all your questions?" = "Απαντήσαμε σε όλες τις ερωτήσεις σας;"; -"Remind Later" = "Υπενθύμιση αργότερα"; -"Your message has been received." = "Το μήνυμά σας παραλήφθηκε."; -"Message send failure." = "Αποτυχία αποστολής μηνύματος."; -"What\'s your feedback about our customer support?" = "Ποιο είναι το σχόλιό σας για την εξυπηρέτηση πελατών μας;"; -"Take a screenshot on your iPhone" = "Λήψη στιγμιότυπου στο iPhone σας"; -"Learn how" = "Μάθετε τον τρόπο"; -"Take a screenshot on your iPad" = "Λήψη στιγμιότυπου στο iPad σας"; -"Your email(optional)" = "Το email σας(προαιρετικό)"; -"Conversation" = "Συνομιλία"; -"View Now" = "Προβολή τώρα"; -"SEND ANYWAY" = "ΑΠΟΣΤΟΛΗ ΟΠΩΣΔΗΠΟΤΕ"; -"OK" = "ΟΚ"; -"Help" = "Βοήθεια"; -"Send message" = "Αποστολή μηνύματος"; -"REVIEW" = "ΚΡΙΤΙΚΗ"; -"Share" = "Κοινή χρήση"; -"Close Help" = "Κλείσιμο Βοήθειας"; -"Sending your message..." = "Αποστολή του μηνύματός σας..."; -"Learn how to" = "Μάθετε περισσότερα σχετικά με"; -"No FAQs found in this section" = "Δεν βρέθηκαν Συνήθεις ερωτήσεις σε αυτή την ενότητα"; -"Thanks for contacting us." = "Ευχαριστούμε που επικοινωνήσατε μαζί μας."; -"Chat Now" = "Συνομιλία τώρα"; -"Buy Now" = "Αγορά τώρα"; -"New Conversation" = "Νέα συνομιλία"; -"Please check your network connection and try again." = "Ελέγξτε τη σύνδεση του δικτύου και δοκιμάστε πάλι."; -"New message from Support" = "Νέο μήνυμα από την Υποστήριξη"; -"Question" = "Ερώτηση"; -"Type in a new message" = "Πληκτρολογήστε νέο μήνυμα"; -"Email (optional)" = "Email (προαιρετικά)"; -"Reply" = "Απάντηση"; -"CONTACT US" = "ΕΠΙΚΟΙΝΩΝΗΣΤΕ ΜΑΖΙ ΜΑΣ"; -"Email" = "Email"; -"Like" = "Μου αρέσει"; -"Tap here if this FAQ was not helpful to you" = "Πατήστε εδώ αν αυτή η Συνήθης ερώτηση δεν ήταν χρήσιμη"; -"Any other feedback? (optional)" = "Κάποιο άλλο σχόλιο; (προαιρετικά)"; -"You found this helpful." = "Το βρήκατε χρήσιμο."; -"No working Internet connection is found." = "Δεν βρέθηκε ενεργή σύνδεση Internet."; -"No messages found." = "Δεν βρέθηκαν μηνύματα."; -"Please enter a brief description of the issue you are facing." = "Εισαγάγετε σύντομη περιγραφή του προβλήματος που αντιμετωπίζετε."; -"Shop Now" = "Αγορά τώρα"; -"Close Section" = "Κλείσιμο ενότητας"; -"Close FAQ" = "Κλείσιμο Συνήθων ερωτήσεων"; -"Close" = "Κλείσιμο"; -"This conversation has ended." = "Η συνομιλία έληξε."; -"Send it anyway" = "Αποστολή οπωσδήποτε"; -"You accepted review request." = "Αποδεχθήκατε το αίτημα για κριτική."; -"Delete" = "Διαγραφή"; -"What else can we help you with?" = "Πώς αλλιώς μπορούμε να σας βοηθήσουμε;"; -"Tap here if the answer was not helpful to you" = "Πατήστε εδώ αν δεν βρήκατε χρήσιμη την απάντηση"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Λυπούμαστε γι' αυτό. Θέλετε να μας δώσετε περισσότερες πληροφορίες για το πρόβλημα που αντιμετωπίζετε;"; -"Service Rating" = "Αξιολόγηση υπηρεσίας"; -"Your email" = "Το email σας"; -"Email invalid" = "Μη έγκυρο email"; -"Could not fetch FAQs" = "Δεν ανακτήθηκαν οι συνήθεις ερωτήσεις"; -"Thanks for rating us." = "Ευχαριστούμε για την αξιολόγησή σας."; -"Download" = "Λήψη"; -"Please enter a valid email" = "Εισαγάγετε ένα έγκυρο email"; -"Message" = "Μήνυμα"; -"or" = "ή"; -"Decline" = "Απόρριψη"; -"No" = "Όχι"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Δεν ήταν δυνατή η αποστολή του στιγμιότυπου. Η εικόνα είναι πολύ μεγάλη, δοκιμάστε πάλι με άλλη εικόνα"; -"Hated it" = "Δεν μου άρεσε"; -"Stars" = "Αστέρια"; -"Your feedback has been received." = "Το σχόλιό σας παραλήφθηκε."; -"Dislike" = "Δεν μου αρέσει"; -"Preview" = "Προεπισκόπηση"; -"Book Now" = "Κράτηση τώρα"; -"START A NEW CONVERSATION" = "ΕΝΑΡΞΗ ΝΕΑΣ ΣΥΝΟΜΙΛΙΑΣ"; -"Your Rating" = "Η αξιολόγησή σας"; -"No Internet!" = "Χωρίς Internet!"; -"Invalid Entry" = "Μη έγκυρη καταχώρηση"; -"Loved it" = "Μου άρεσε"; -"Review on the App Store" = "Κριτική στο App Store"; -"Open Help" = "Άνοιγμα Βοήθειας"; -"Search" = "Αναζήτηση"; -"Tap here if you found this FAQ helpful" = "Πατήστε εδώ αν βρήκατε χρήσιμη αυτή την Συνήθη ερώτηση"; -"Star" = "Αστέρι"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Πατήστε εδώ αν βρήκατε χρήσιμη αυτή την απάντηση"; -"Report a problem" = "Αναφορά προβλήματος"; -"YES, THANKS!" = "ΝΑΙ, ΕΥΧΑΡΙΣΤΩ!"; -"Was this helpful?" = "Ήταν χρήσιμο;"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Το μήνυμά σας δεν στάλθηκε. Θέλετε να πατήστε \"Δοκιμάστε πάλι\" για να στείλετε αυτό το μήνυμα"; -"Suggestions" = "Προτάσεις"; -"No FAQs found" = "Δεν βρέθηκαν Συνήθεις ερωτήσεις"; -"Done" = "Τέλος"; -"Opening Gallery..." = "Άνοιγμα Συλλογής..."; -"You rated the service with" = "Αξιολογήσατε την υπηρεσία με"; -"Cancel" = "Άκυρο"; -"Loading..." = "Φόρτωση..."; -"Read FAQs" = "Ανάγνωση Συνήθων ερωτήσεων"; -"Thanks for messaging us!" = "Ευχαριστούμε για την αποστολή του μηνύματος!"; -"Try Again" = "Δοκιμάστε πάλι"; -"Send Feedback" = "Αποστολή σχολίων"; -"Your Name" = "Το Όνομά σας"; -"Please provide a name." = "Δώστε ένα όνομα."; -"FAQ" = "Συνήθεις ερωτήσεις"; -"Describe your problem" = "Περιγράψτε το πρόβλημά σας"; -"How can we help?" = "Πώς μπορούμε να βοηθήσουμε;"; -"Help about" = "Βοήθεια σχετικά με"; -"We could not fetch the required data" = "Δεν ήταν δυνατή η ανάκτηση των απαιτούμενων δεδομένων"; -"Name" = "Όνομα"; -"Sending failed!" = "Η αποστολή απέτυχε!"; -"You didn't find this helpful." = "Δεν το βρήκατε χρήσιμο."; -"Attach a screenshot of your problem" = "Επισυνάψτε ένα στιγμιότυπο οθόνης με το πρόβλημα"; -"Mark as read" = "Σήμανση ως αναγνωσμένο"; -"Name invalid" = "Μη έγκυρο όνομα"; -"Yes" = "Ναι"; -"What's on your mind?" = "Τι σκέπτεστε;"; -"Send a new message" = "Αποστολή νέου μηνύματος"; -"Questions that may already have your answer" = "Ερωτήσεις που ενδέχεται να έχετε ήδη απαντήσει"; -"Attach a photo" = "Επισύναψη φωτογραφίας"; -"Accept" = "Αποδοχή"; -"Your reply" = "Η απάντησή σας"; -"Inbox" = "Εισερχόμενα"; -"Remove attachment" = "Αφαίρεση συνημμένου"; -"Could not fetch message" = "Δεν ήταν δυνατή η ανάκτηση του μηνύματος"; -"Read FAQ" = "Ανάγνωση Συνήθων ερωτήσεων"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Λυπούμαστε! Αυτή η συνομιλία έκλεισε εξαιτίας αδράνειας. Αρχίστε νέα συνομιλία με τους εκπροσώπους μας."; -"%d new messages from Support" = "%d νέα μηνύματα από την Υποστήριξη"; -"Ok, Attach" = "ΟΚ, επισύναψη"; -"Send" = "Αποστολή"; -"Screenshot size should not exceed %.2f MB" = "Το μέγεθος στιγμιότυπου οθόνης δεν πρέπει να υπερβαίνει τα %.2f MB"; -"Information" = "Πληροφορίες"; -"Issue ID" = "Αναγνωριστικό θέματος"; -"Tap to copy" = "Πατήστε για αντιγραφή"; -"Copied!" = "Αντιγράφηκε!"; -"We couldn't find an FAQ with matching ID" = "Δεν βρέθηκε Συνήθης ερώτηση με αντίστοιχο αναγνωριστικό"; -"Failed to load screenshot" = "Η φόρτωση του στιγμιότυπου απέτυχε"; -"Failed to load video" = "Η φόρτωση του βίντεο απέτυχε"; -"Failed to load image" = "Η φόρτωση της εικόνας απέτυχε"; -"Hold down your device's power and home buttons at the same time." = "Κρατήστε πατημένο το πλήκτρο λειτουργίας και το πλήκτρο κεντρικής σελίδας της συσκευής σας, ταυτόχρονα."; -"Please note that a few devices may have the power button on the top." = "Σημειώστε ότι, σε ορισμένες συσκευές, το πλήκτρο λειτουργίας ενδέχεται να βρίσκεται στο επάνω μέρος."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Μόλις τελειώσετε, επιστρέψτε σε αυτή τη συνομιλία και πατήστε το \"ΟΚ, επισύναψη\" για επισύναψη."; -"Okay" = "ΟΚ"; -"We couldn't find an FAQ section with matching ID" = "Δεν βρέθηκε ενότητα \"Συνήθεις ερωτήσεις\" με αντίστοιχο αναγνωριστικό"; - -"GIFs are not supported" = "Τα GIF δεν υποστηρίζονται"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/en.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/en.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 2c9b810bf924..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/en.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,148 +0,0 @@ -/* - HelpshiftLocalizable.strings - Helpshift - Copyright (c) 2014 Helpshift,Inc., All rights reserved. - */ -"Can't find what you were looking for?" = "Can't find what you were looking for?"; -"Rate App" = "Rate App"; -"We\'re happy to help you!" = "We\'re happy to help you!"; -"What's on your mind?" = "What's on your mind?"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?"; -"Thanks for contacting us." = "Thanks for contacting us."; -"Remind Later" = "Remind Later"; -"Your message has been received." = "Your message has been received."; -"Message send failure." = "Message send failure."; -"Hated it" = "Hated it"; -"What\'s your feedback about our customer support?" = "What\'s your feedback about our customer support?"; -"Take a screenshot on your iPhone" = "Take a screenshot on your iPhone"; -"Learn how" = "Learn how"; -"Take a screenshot on your iPad" = "Take a screenshot on your iPad"; -"Name invalid" = "Name invalid"; -"View Now" = "View Now"; -"SEND ANYWAY" = "SEND ANYWAY"; -"Help" = "Help"; -"Send message" = "Send message"; -"REVIEW" = "REVIEW"; -"Share" = "Share"; -"Close Help" = "Close Help"; -"Loved it" = "Loved it"; -"Learn how to" = "Learn how to"; -"Chat Now" = "Chat Now"; -"Buy Now" = "Buy Now"; -"New Conversation" = "New Conversation"; -"Please check your network connection and try again." = "Please check your network connection and try again."; -"New message from Support" = "New message from Support"; -"Question" = "Question"; -"No FAQs found in this section" = "No FAQs found in this section"; -"Type in a new message" = "Type in a new message"; -"Email (optional)" = "Email (optional)"; -"Reply" = "Reply"; -"CONTACT US" = "CONTACT US"; -"Email" = "Email"; -"Like" = "Like"; -"Sending your message..." = "Sending your message..."; -"Tap here if this FAQ was not helpful to you" = "Tap here if this FAQ was not helpful to you"; -"Any other feedback? (optional)" = "Any other feedback? (optional)"; -"You found this helpful." = "You found this helpful."; -"No working Internet connection is found." = "No working Internet connection is found."; -"No messages found." = "No messages found."; -"Please enter a brief description of the issue you are facing." = "Please enter a brief description of the issue you are facing."; -"Shop Now" = "Shop Now"; -"Email invalid" = "Email invalid"; -"Did we answer all your questions?" = "Did we answer all your questions?"; -"Close Section" = "Close Section"; -"Close FAQ" = "Close FAQ"; -"Close" = "Close"; -"This conversation has ended." = "This conversation has ended."; -"Send it anyway" = "Send it anyway"; -"You accepted review request." = "You accepted review request."; -"Delete" = "Delete"; -"Invalid Entry" = "Invalid Entry"; -"Tap here if the answer was not helpful to you" = "Tap here if the answer was not helpful to you"; -"Service Rating" = "Service Rating"; -"Thanks for messaging us!" = "Thanks for messaging us!"; -"Could not fetch FAQs" = "Could not fetch FAQs"; -"Thanks for rating us." = "Thanks for rating us."; -"Download" = "Download"; -"Please enter a valid email" = "Please enter a valid email"; -"Message" = "Message"; -"or" = "or"; -"Your email" = "Your email"; -"Decline" = "Decline"; -"No" = "No"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Screenshot could not be sent. Image is too large, try again with another image"; -"Stars" = "Stars"; -"Your feedback has been received." = "Your feedback has been received."; -"Dislike" = "Dislike"; -"Preview" = "Preview"; -"Book Now" = "Book Now"; -"START A NEW CONVERSATION" = "START A NEW CONVERSATION"; -"Your Rating" = "Your Rating"; -"No Internet!" = "No Internet!"; -"You didn't find this helpful." = "You didn't find this helpful."; -"Review on the App Store" = "Review on the App Store"; -"Open Help" = "Open Help"; -"Search" = "Search"; -"Tap here if you found this FAQ helpful" = "Tap here if you found this FAQ helpful"; -"Star" = "Star"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tap here if you found this answer helpful"; -"Report a problem" = "Report a problem"; -"YES, THANKS!" = "YES, THANKS!"; -"Was this helpful?" = "Was this helpful?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Your message was not sent.Tap \"Try Again\" to send this message?"; -"OK" = "OK"; -"Suggestions" = "Suggestions"; -"No FAQs found" = "No FAQs found"; -"Done" = "Done"; -"Opening Gallery..." = "Opening Gallery..."; -"Cancel" = "Cancel"; -"Could not fetch message" = "Could not fetch message"; -"Read FAQs" = "Read FAQs"; -"Try Again" = "Try Again"; -"%d new messages from Support" = "%d new messages from Support"; -"Your Name" = "Your Name"; -"Please provide a name." = "Please provide a name."; -"You rated the service with" = "You rated the service with"; -"What else can we help you with?" = "What else can we help you with?"; -"FAQ" = "FAQ"; -"Describe your problem" = "Describe your problem"; -"How can we help?" = "How can we help?"; -"Help about" = "Help about"; -"Send Feedback" = "Send Feedback"; -"We could not fetch the required data" = "We could not fetch the required data"; -"Name" = "Name"; -"Sending failed!" = "Sending failed!"; -"Attach a screenshot of your problem" = "Attach a screenshot of your problem"; -"Mark as read" = "Mark as read"; -"Loading..." = "Loading..."; -"Yes" = "Yes"; -"Send a new message" = "Send a new message"; -"Your email(optional)" = "Your email(optional)"; -"Conversation" = "Conversation"; -"Questions that may already have your answer" = "Questions that may already have your answer"; -"Attach a photo" = "Attach a photo"; -"Accept" = "Accept"; -"Your reply" = "Your reply"; -"Inbox" = "Inbox"; -"Remove attachment" = "Remove attachment"; -"Read FAQ" = "Read FAQ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents."; -"Ok, Attach" = "Ok, Attach"; -"Send" = "Send"; -"Screenshot size should not exceed %.2f MB" = "Screenshot size should not exceed %.2f MB"; -"Information" = "Information"; -"Issue ID" = "Issue ID"; -"Tap to copy" = "Tap to copy"; -"Copied!" = "Copied!"; -"We couldn't find an FAQ with matching ID" = "We couldn't find an FAQ with matching ID"; -"Failed to load screenshot" = "Failed to load screenshot"; -"Failed to load video" = "Failed to load video"; -"Failed to load image" = "Failed to load image"; -"Hold down your device's power and home buttons at the same time." = "Hold down your device's power and home buttons at the same time."; -"Please note that a few devices may have the power button on the top." = "Please note that a few devices may have the power button on the top."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Once done, come back to this conversation and tap on \"Ok, attach\" to attach it."; -"Okay" = "Okay"; -"We couldn't find an FAQ section with matching ID" = "We couldn't find an FAQ section with matching ID"; - -"GIFs are not supported" = "GIFs are not supported"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/es.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/es.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 724ede3bf6b2..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/es.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "¿No ha encontrado lo que buscaba?"; -"Rate App" = "Valorar aplicación"; -"We\'re happy to help you!" = "¡Estamos encantados de ayudarle!"; -"Did we answer all your questions?" = "¿Hemos resuelto todas sus dudas?"; -"Remind Later" = "Recordármelo más tarde"; -"Your message has been received." = "Hemos recibido su mensaje."; -"Message send failure." = "El envío de mensaje ha fallado."; -"What\'s your feedback about our customer support?" = "¿Qué le ha parecido nuestro servicio de soporte al cliente?"; -"Take a screenshot on your iPhone" = "Tomar una captura de pantalla con su iPhone"; -"Learn how" = "Aprender cómo"; -"Take a screenshot on your iPad" = "Tomar una captura de pantalla con su iPad"; -"Your email(optional)" = "Su correo (opcional)"; -"Conversation" = "Conversación"; -"View Now" = "Ver ahora"; -"SEND ANYWAY" = "ENVIAR IGUALMENTE"; -"OK" = "Aceptar"; -"Help" = "Ayuda"; -"Send message" = "Enviar mensaje"; -"REVIEW" = "RESEÑAR"; -"Share" = "Compartir"; -"Close Help" = "Cerrar Ayuda"; -"Sending your message..." = "Enviando su mensaje..."; -"Learn how to" = "Aprenda a"; -"No FAQs found in this section" = "No hay P+F en la sección."; -"Thanks for contacting us." = "Gracias por ponerse en contacto con nosotros."; -"Chat Now" = "Charlar ahora"; -"Buy Now" = "Comprar ahora"; -"New Conversation" = "Nueva conversación"; -"Please check your network connection and try again." = "Compruebe la conexión de red e inténtelo de nuevo."; -"New message from Support" = "Nuevo mensaje de soporte"; -"Question" = "Pregunta"; -"Type in a new message" = "Introduzca un nuevo mensaje"; -"Email (optional)" = "Correo (opcional)"; -"Reply" = "Responder"; -"CONTACT US" = "CONTACTE CON NOSOTROS"; -"Email" = "Correo"; -"Like" = "Me gusta"; -"Tap here if this FAQ was not helpful to you" = "Toque aquí si esta P+F no le resultó útil"; -"Any other feedback? (optional)" = "¿Tiene más comentarios? (Opcional)"; -"You found this helpful." = "Me ha resultado útil."; -"No working Internet connection is found." = "No se ha detectado una conexión activa a Internet."; -"No messages found." = "No se han encontrado mensajes."; -"Please enter a brief description of the issue you are facing." = "Introduzca una breve descripción del problema que está experimentando."; -"Shop Now" = "Adquirir ahora"; -"Close Section" = "Cerrar sección"; -"Close FAQ" = "Cerrar P+F"; -"Close" = "Cerrar"; -"This conversation has ended." = "La conversación ha finalizado."; -"Send it anyway" = "Enviar igualmente"; -"You accepted review request." = "Ha aceptado la solicitud de reseña."; -"Delete" = "Eliminar"; -"What else can we help you with?" = "¿Necesita más ayuda?"; -"Tap here if the answer was not helpful to you" = "Toque aquí si esta respuesta no le resultó útil"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Lo sentimos. ¿Puede describir el problema que está experimentando?"; -"Service Rating" = "Valoración del servicio"; -"Your email" = "Su correo"; -"Email invalid" = "Correo no válido"; -"Could not fetch FAQs" = "No se han encontrado P+F."; -"Thanks for rating us." = "Gracias por su valoración."; -"Download" = "Descargar"; -"Please enter a valid email" = "Escriba un correo válido"; -"Message" = "Mensaje"; -"or" = "o"; -"Decline" = "Rechazar"; -"No" = "No"; -"Screenshot could not be sent. Image is too large, try again with another image" = "No se ha podido enviar la captura. La imagen es demasiado grande. Inténtelo de nuevo con otra imagen."; -"Hated it" = "Muy malo"; -"Stars" = "estrellas"; -"Your feedback has been received." = "Hemos recibido sus comentarios."; -"Dislike" = "No me gusta"; -"Preview" = "Vista previa"; -"Book Now" = "Reservar ahora"; -"START A NEW CONVERSATION" = "INICIAR UNA NUEVA CONVERSACIÓN"; -"Your Rating" = "Su valoración"; -"No Internet!" = "Sin conexión"; -"Invalid Entry" = "Entrada no válida"; -"Loved it" = "Muy bueno"; -"Review on the App Store" = "Reseñar en la App Store"; -"Open Help" = "Abrir Ayuda"; -"Search" = "Buscar"; -"Tap here if you found this FAQ helpful" = "Toque aquí si esta P+F le resultó útil"; -"Star" = "estrella"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Toque aquí si esta respuesta le resultó útil"; -"Report a problem" = "Comunicar un problema"; -"YES, THANKS!" = "SÍ"; -"Was this helpful?" = "¿Le resultó útil?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Su mensaje no se ha enviado. Toque Volver a intentarlo para enviar el mensaje."; -"Suggestions" = "Sugerencias"; -"No FAQs found" = "No se han encontrado P+F"; -"Done" = "Listo"; -"Opening Gallery..." = "Accediendo a la galería..."; -"You rated the service with" = "Ha valorado el servicio con"; -"Cancel" = "Cancelar"; -"Loading..." = "Cargando..."; -"Read FAQs" = "Leer P+F"; -"Thanks for messaging us!" = "Gracias por su mensaje"; -"Try Again" = "Volver a intentarlo"; -"Send Feedback" = "Enviar comentarios"; -"Your Name" = "Su nombre"; -"Please provide a name." = "Proporcione un nombre."; -"FAQ" = "P+F"; -"Describe your problem" = "Describa su problema"; -"How can we help?" = "¿En qué podemos ayudarle?"; -"Help about" = "Ayuda sobre"; -"We could not fetch the required data" = "No se ha encontrado la información deseada."; -"Name" = "Nombre"; -"Sending failed!" = "Ha fallado el envío"; -"You didn't find this helpful." = "No le ha resultado útil."; -"Attach a screenshot of your problem" = "Adjunte una captura de pantalla del problema"; -"Mark as read" = "Marcar como leído"; -"Name invalid" = "Nombre no válido"; -"Yes" = "Sí"; -"What's on your mind?" = "Introduzca su comentario"; -"Send a new message" = "Enviar un nuevo mensaje"; -"Questions that may already have your answer" = "Preguntas que podrían contener la información que busca"; -"Attach a photo" = "Adjuntar una foto"; -"Accept" = "Aceptar"; -"Your reply" = "Su respuesta"; -"Inbox" = "Bandeja de entrada"; -"Remove attachment" = "Quitar archivo adjunto"; -"Could not fetch message" = "No se ha encontrado el mensaje"; -"Read FAQ" = "Leer P+F"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Lo sentimos. La conversación se ha cerrado porque estaba inactiva. Inicie otra con sus agentes."; -"%d new messages from Support" = "%d nuevos mensajes de soporte"; -"Ok, Attach" = "Adjuntar"; -"Send" = "Enviar"; -"Screenshot size should not exceed %.2f MB" = "La captura de pantalla no debe superar %.2f MB"; -"Information" = "Información"; -"Issue ID" = "Id. de problema"; -"Tap to copy" = "Toque para copiar"; -"Copied!" = "¡Copiado!"; -"We couldn't find an FAQ with matching ID" = "No se ha encontrado una P+F con el ID correspondiente."; -"Failed to load screenshot" = "Error al cargar la captura de pantalla"; -"Failed to load video" = "Error al cargar el vídeo"; -"Failed to load image" = "Error al cargar la imagen"; -"Hold down your device's power and home buttons at the same time." = "Mantenga presionados los botones de inicio y de encendido de su dispositivo a la vez."; -"Please note that a few devices may have the power button on the top." = "Tenga en cuenta que algunos dispositivos tienen el botón de encendido en la parte superior."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Vuelva a esta conversación y toque Adjuntar para agregar la imagen."; -"Okay" = "Continuar"; -"We couldn't find an FAQ section with matching ID" = "No se ha encontrado una sección de P+F con el id. correspondiente."; - -"GIFs are not supported" = "Los GIF no se admiten"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fa.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fa.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index a767179086ba..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fa.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "قادر به یافتن آنچه در پی آن بودید نیستید؟"; -"Rate App" = "امتیازدهی به برنامه"; -"We\'re happy to help you!" = "کمک به شما مایه خرسندی ماست!"; -"Did we answer all your questions?" = "آیا به همه پرسش‌های شما پاسخ دادیم؟"; -"Remind Later" = "بعداً یادآوری کن"; -"Your message has been received." = "پیام شما دریافت شده است."; -"Message send failure." = "خطا در ارسال پیام."; -"What\'s your feedback about our customer support?" = "دیدگاه شما درباره پشتیبانی مشتری ما چیست؟"; -"Take a screenshot on your iPhone" = "از صفحه آیفون خود عکس بگیرید"; -"Learn how" = "یادگیری نحوه انجام"; -"Take a screenshot on your iPad" = "از صفحه آی‌پد خود عکس بگیرید"; -"Your email(optional)" = "ایمیل شما (اختیاری)"; -"Conversation" = "مکالمه"; -"View Now" = "اکنون مشاهده کنید"; -"SEND ANYWAY" = "به هر حال ارسال کن"; -"OK" = "تأیید"; -"Help" = "کمک"; -"Send message" = "ارسال پیام"; -"REVIEW" = "نظردهی"; -"Share" = "به‌اشتراک‌گذاری"; -"Close Help" = "بستن کمک"; -"Sending your message..." = "در حال ارسال پیام شما..."; -"Learn how to" = "نحوه انجام آن را بیاموزید"; -"No FAQs found in this section" = "هیچ سؤال متداولی در این بخش یافت نشد"; -"Thanks for contacting us." = "از اینکه با ما تماس گرفته‌اید متشکریم."; -"Chat Now" = "اکنون گفتگو کنید"; -"Buy Now" = "اکنون خرید کنید"; -"New Conversation" = "مکالمه جدید"; -"Please check your network connection and try again." = "لطفاً اتصال شبکه خود را بررسی و سپس دوباره سعی کنید."; -"New message from Support" = "پیام جدید از طرف پشتیبانی"; -"Question" = "سؤال"; -"Type in a new message" = "پیام جدیدی وارد کنید"; -"Email (optional)" = "ایمیل (اختیاری)"; -"Reply" = "پاسخ‌دهی"; -"CONTACT US" = "تماس با ما"; -"Email" = "ایمیل"; -"Like" = "مورد پسند"; -"Tap here if this FAQ was not helpful to you" = "چنانچه به نظرتان این سؤال متداول غیرمفید بود، اینجا ضربه بزنید"; -"Any other feedback? (optional)" = "آیا بازخورد دیگری دارید؟ (اختیاری)"; -"You found this helpful." = "به نظر شما مفید بود."; -"No working Internet connection is found." = "اتصال اینترنتی فعال یافت نشد."; -"No messages found." = "هیچ پیامی یافت نشد."; -"Please enter a brief description of the issue you are facing." = "لطفاً در مورد مشکل خود کمی توضیح دهید."; -"Shop Now" = "اکنون خرید کنید"; -"Close Section" = "بستن بخش"; -"Close FAQ" = "بستن سؤالات متداول"; -"Close" = "بستن"; -"This conversation has ended." = "این مکالمه به پایان رسیده است."; -"Send it anyway" = "به هر حال ارسال کن"; -"You accepted review request." = "درخواست نظردهی را پذیرفتید."; -"Delete" = "حذف"; -"What else can we help you with?" = "چه کمک دیگری می‌توانیم به شما بکنیم؟"; -"Tap here if the answer was not helpful to you" = "چنانچه به نظرتان این پاسخ غیرمفید بود، اینجا ضربه بزنید"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "از شنیدن این موضوع متاسفیم. لطفاً در صورت امکان اطلاعات بیشتری در مورد مشکلی که با آن مواجه هستید به ما ارائه دهید."; -"Service Rating" = "امتیاز سرویس"; -"Your email" = "ایمیل شما"; -"Email invalid" = "ایمیل نامعتبر"; -"Could not fetch FAQs" = "فراخوانی سؤالات متداول مقدور نبود"; -"Thanks for rating us." = "از اینکه به ما امتیاز داده‌اید متشکریم."; -"Download" = "دانلود"; -"Please enter a valid email" = "لطفاً ایمیل معتبری وارد کنید"; -"Message" = "پیام"; -"or" = "یا"; -"Decline" = "رد کردن"; -"No" = "خیر"; -"Screenshot could not be sent. Image is too large, try again with another image" = "ارسال عکس صفحه مقدور نبود. تصویر بیش از اندازه بزرگ است؛ لطفاً ارسال تصویر دیگری را امتحان کنید"; -"Hated it" = "خوشم نیامد"; -"Stars" = "ستاره"; -"Your feedback has been received." = "بازخورد شما دریافت شده است."; -"Dislike" = "غیر مورد پسند"; -"Preview" = "پیش‌نمایش"; -"Book Now" = "همین حالا رزرو کنید"; -"START A NEW CONVERSATION" = "شروع مکالمه جدید"; -"Your Rating" = "امتیاز شما"; -"No Internet!" = "بدون اینترنت!"; -"Invalid Entry" = "ورود نامعتبر"; -"Loved it" = "دوستش داشتم"; -"Review on the App Store" = "در App Store نظر بدهید"; -"Open Help" = "باز کردن کمک"; -"Search" = "جستجو"; -"Tap here if you found this FAQ helpful" = "چنانچه به نظرتان این سؤال متداول مفید بود، اینجا ضربه بزنید"; -"Star" = "ستاره"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "چنانچه به نظرتان این پاسخ مفید بود، اینجا ضربه بزنید"; -"Report a problem" = "گزارش مشکل"; -"YES, THANKS!" = "بله، متشکرم!"; -"Was this helpful?" = "آیا این پاسخ مفید بود؟"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "پیام شما ارسال نشد. برای ارسال پیام، روی «دوباره تلاش کنید» ضربه بزنید."; -"Suggestions" = "پیشنهادات"; -"No FAQs found" = "هیچ سؤال متداولی یافت نشد"; -"Done" = "انجام شد"; -"Opening Gallery..." = "در حال باز کردن گالری..."; -"You rated the service with" = "امتیاز شما به این سرویس:"; -"Cancel" = "لغو"; -"Loading..." = "در حال بارگذاری..."; -"Read FAQs" = "خواندن سؤالات متداول"; -"Thanks for messaging us!" = "بابت ارسال پیام از شما متشکریم!"; -"Try Again" = "دوباره تلاش کنید"; -"Send Feedback" = "ارسال بازخورد"; -"Your Name" = "نام شما"; -"Please provide a name." = "لطفاً یک نام ارائه دهید."; -"FAQ" = "سؤالات متداول"; -"Describe your problem" = "مشکل خود را شرح دهید"; -"How can we help?" = "چگونه می‌توانیم به شما کمک کنیم؟"; -"Help about" = "کمک درباره"; -"We could not fetch the required data" = "قادر به فراخوانی اطلاعات مورد نیاز نبودیم"; -"Name" = "نام"; -"Sending failed!" = "ارسال ناموفق بود!"; -"You didn't find this helpful." = "به نظر شما مفید نبود."; -"Attach a screenshot of your problem" = "نماگرفتی از مشکل خود ضمیمه کنید"; -"Mark as read" = "علامت‌گذاری به عنوان خوانده‌شده"; -"Name invalid" = "نام نامعتبر"; -"Yes" = "بله"; -"What's on your mind?" = "به چه چیزی فکر می‌کنید؟"; -"Send a new message" = "پیام جدیدی ارسال کنید"; -"Questions that may already have your answer" = "سؤالاتی که ممکن است دربردارنده پاسخ شما باشند"; -"Attach a photo" = "ضمیمه کردن عکس"; -"Accept" = "پذیرش"; -"Your reply" = "پاسخ شما"; -"Inbox" = "صندوق ورودی"; -"Remove attachment" = "حذف ضمیمه"; -"Could not fetch message" = "فراخوانی پیام مقدور نبود"; -"Read FAQ" = "سؤالات متداول را بخوانید"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "متاسفیم! این مکالمه به دلیل عدم فعالیت بسته شده است. لطفاً مکالمه جدیدی را با نمایندگان ما شروع کنید."; -"%d new messages from Support" = "%dپیام‌های جدید از طرف پشتیبانی"; -"Ok, Attach" = "بسیار خب، ضمیمه کن"; -"Send" = "ارسال"; -"Screenshot size should not exceed %.2f MB" = "اندازه نماگرفت نباید بیشتر از ‎%.2f MB‎ باشد"; -"Information" = "اطلاعات"; -"Issue ID" = "شناسه نسخه"; -"Tap to copy" = "برای کپی ضربه بزنید"; -"Copied!" = "کپی شد!"; -"We couldn't find an FAQ with matching ID" = "قادر به یافتن سؤالات رایج با این شناسه نبودیم."; -"Failed to load screenshot" = "بارگذاری نماگرفت ناموفق بود"; -"Failed to load video" = "بارگذاری ویدئو ناموفق بود"; -"Failed to load image" = "بارگذاری تصویر ناموفق بود"; -"Hold down your device's power and home buttons at the same time." = "دکمه‌های روشن/خاموش و خانه دستگاه خود را همزمان فشار دهید."; -"Please note that a few devices may have the power button on the top." = "لطفاً توجه داشته باشید که دکمه روشن/خاموش برخی از دستگاه‌ها ممکن است در بالای آن باشد."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "پس از انجام این کار، به این پنجره گفتگو بازگردید و روی «تایید، ضمیمه کن» ضربه بزنید."; -"Okay" = "تایید"; -"We couldn't find an FAQ section with matching ID" = "متن مبدا - قادر به یافتن بخش سوالات رایج با شناسه مربوطه نبودیم."; - -"GIFs are not supported" = "GIF ها پشتیبانی نمی شوند"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fi.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fi.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index e483cbdf5bfe..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fi.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Etkö löydä etsimääsi?"; -"Rate App" = "Arvostele sovellus"; -"We\'re happy to help you!" = "Autamme mielellämme!"; -"Did we answer all your questions?" = "Vastasimmeko kaikkiin kysymyksiisi?"; -"Remind Later" = "Muistuta myöhemmin"; -"Your message has been received." = "Viestisi on vastaanotettu."; -"Message send failure." = "Viestin lähetys ei onnistunut."; -"What\'s your feedback about our customer support?" = "Mikä on palautteesi asiakastuestamme?"; -"Take a screenshot on your iPhone" = "Ota kuvakaappaus iPhonella"; -"Learn how" = "Ohjeet"; -"Take a screenshot on your iPad" = "Ota kuvakaappaus iPadilla"; -"Your email(optional)" = "Sähköpostisi (valinnainen)"; -"Conversation" = "Keskustelu"; -"View Now" = "Katsele nyt"; -"SEND ANYWAY" = "LÄHETÄ SILTI"; -"OK" = "OK"; -"Help" = "Ohjeet"; -"Send message" = "Lähetä viesti"; -"REVIEW" = "ARVOSTELE"; -"Share" = "Jaa"; -"Close Help" = "Sulje ohjeet"; -"Sending your message..." = "Viestiäsi lähetetään..."; -"Learn how to" = "Ohjeet aiheesta"; -"No FAQs found in this section" = "Tähän osioon ei löytynyt UKK:ta"; -"Thanks for contacting us." = "Kiitos, että otit meihin yhteyttä."; -"Chat Now" = "Juttele nyt"; -"Buy Now" = "Osta nyt"; -"New Conversation" = "Uusi keskustelu"; -"Please check your network connection and try again." = "Tarkista verkkoyhteys ja yritä uudelleen."; -"New message from Support" = "Uusi viesti asiakastuelta"; -"Question" = "Kysymys"; -"Type in a new message" = "Kirjoita uusi viesti"; -"Email (optional)" = "Sähköposti (vaihtoehtoinen)"; -"Reply" = "Vastaa"; -"CONTACT US" = "OTA YHTEYTTÄ"; -"Email" = "Sähköposti"; -"Like" = "Tykkää"; -"Tap here if this FAQ was not helpful to you" = "Napauta tästä, jos tämä UKK ei auttanut sinua"; -"Any other feedback? (optional)" = "Haluatko antaa muuta palautetta? (ei pakollinen)"; -"You found this helpful." = "Tästä oli apua."; -"No working Internet connection is found." = "Toimivaa verkkoyhteyttä ei löydy."; -"No messages found." = "Yhtään viestiä ei löytynyt."; -"Please enter a brief description of the issue you are facing." = "Kirjoita lyhyt kuvaus kohtaamastasi ongelmasta."; -"Shop Now" = "Osta nyt"; -"Close Section" = "Sulje osio"; -"Close FAQ" = "Sulje UKK"; -"Close" = "Sulje"; -"This conversation has ended." = "Tämä keskustelu on päättynyt."; -"Send it anyway" = "Lähetä silti"; -"You accepted review request." = "Hyväksyit arvostelupyynnön."; -"Delete" = "Poista"; -"What else can we help you with?" = "Miten muuten voisimme auttaa sinua?"; -"Tap here if the answer was not helpful to you" = "Napauta tästä, jos vastaus ei auttanut sinua"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Ikävä kuulla. Voisitko hieman kertoa meille ongelmastasi?"; -"Service Rating" = "Palvelun arvio"; -"Your email" = "Sähköpostisi"; -"Email invalid" = "Kelpaamaton sähköposti"; -"Could not fetch FAQs" = "UKK:ta ei löytynyt"; -"Thanks for rating us." = "Kiitos arvostelusta."; -"Download" = "Lataa"; -"Please enter a valid email" = "Kirjoita oikea sähköposti"; -"Message" = "Viesti"; -"or" = "tai"; -"Decline" = "Hylkää"; -"No" = "Ei"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Kuvakaappausta ei voitu lähettää. Kuva on liian iso. Yritä uudelleen toisella kuvalla"; -"Hated it" = "En pitänyt siitä"; -"Stars" = "Tähteä"; -"Your feedback has been received." = "Palautteesi on vastaanotettu."; -"Dislike" = "Älä tykkää"; -"Preview" = "Esikatselu"; -"Book Now" = "Varaa nyt"; -"START A NEW CONVERSATION" = "ALOITA UUSI KESKUSTELU"; -"Your Rating" = "Sinun arviosi"; -"No Internet!" = "Ei yhteyttä!"; -"Invalid Entry" = "Kelpaamaton syöte"; -"Loved it" = "Pidin siitä"; -"Review on the App Store" = "Katso App Storessa"; -"Open Help" = "Avaa ohjeet"; -"Search" = "Hae"; -"Tap here if you found this FAQ helpful" = "Napauta tästä, jos tämä UKK auttoi sinua"; -"Star" = "Tähti"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Napauta tästä, jos vastaus auttoi sinua"; -"Report a problem" = "Ilmoita ongelmasta"; -"YES, THANKS!" = "KYLLÄ, KIITOS!"; -"Was this helpful?" = "Oliko tästä apua?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Viestiäsi ei lähetetty. Lähetä viesti napauttamalla kohtaa \"Yritä uudelleen\"?"; -"Suggestions" = "Ehdotuksia"; -"No FAQs found" = "Yhtään UKK:ta ei löytynyt"; -"Done" = "Valmis"; -"Opening Gallery..." = "Avataan galleriaa..."; -"You rated the service with" = "Arvostelit palvelun:"; -"Cancel" = "Peru"; -"Loading..." = "Ladataan..."; -"Read FAQs" = "Lue UKK"; -"Thanks for messaging us!" = "Kiitos viestistäsi!"; -"Try Again" = "Yritä uudelleen"; -"Send Feedback" = "Lähetä palautetta"; -"Your Name" = "Nimesi"; -"Please provide a name." = "Kirjoita nimi."; -"FAQ" = "UKK"; -"Describe your problem" = "Kuvaile ongelmasi"; -"How can we help?" = "Miten voimme auttaa?"; -"Help about" = "Ohjeet aiheesta"; -"We could not fetch the required data" = "Emme saaneet haettua pyydettyjä tietoja"; -"Name" = "Nimi"; -"Sending failed!" = "Lähetys ei onnistunut!"; -"You didn't find this helpful." = "Tästä ei ollut apua."; -"Attach a screenshot of your problem" = "Liitä kuvakaappaus ongelmastasi"; -"Mark as read" = "Merkitse luetuksi"; -"Name invalid" = "Kelpaamaton nimi"; -"Yes" = "Kyllä"; -"What's on your mind?" = "Mistä haluat puhua?"; -"Send a new message" = "Kirjoita uusi viesti"; -"Questions that may already have your answer" = "Kysymyksiä, joista saatat löytää vastauksesi"; -"Attach a photo" = "Liitä valokuva"; -"Accept" = "Hyväksy"; -"Your reply" = "Vastauksesi"; -"Inbox" = "Postilaatikko"; -"Remove attachment" = "Poista liite"; -"Could not fetch message" = "Viestiä ei löytynyt"; -"Read FAQ" = "Lue UKK"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Pahoittelut! Tämä keskustelu on suljettu, koska se ei ole ollut aktiivinen. Aloita uusi keskustelu agenttiemme kanssa."; -"%d new messages from Support" = "%d uutta viestiä asiakastuelta"; -"Ok, Attach" = "Ok, liitä"; -"Send" = "Lähetä"; -"Screenshot size should not exceed %.2f MB" = "Kuvakaappauksen koko saa olla enintään %.2f Mt"; -"Information" = "Tiedot"; -"Issue ID" = "Ongelman tunnus"; -"Tap to copy" = "Kopioi napauttamalla"; -"Copied!" = "Kopioitu!"; -"We couldn't find an FAQ with matching ID" = "UKK:sta ei löytynyt mitään tuolla tunnuksella"; -"Failed to load screenshot" = "Kuvakaappauksen lataaminen ei onnistunut"; -"Failed to load video" = "Videon lataaminen ei onnistunut"; -"Failed to load image" = "Kuvan lataaminen ei onnistunut"; -"Hold down your device's power and home buttons at the same time." = "Paina yhtä aikaa laitteesi virtanäppäintä ja kotinäppäintä."; -"Please note that a few devices may have the power button on the top." = "Huomaa, että joissakin laitteissa virtanäppäin voi olla ylälaidassa."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Kun olet valmis, palaa tähän keskusteluun ja liitä kuvakaappaus napauttamalla kohtaa \"Ok, liitä”."; -"Okay" = "Okei"; -"We couldn't find an FAQ section with matching ID" = "UKK:sta ei löytynyt yhtään osiota tuolla tunnuksella"; - -"GIFs are not supported" = "GIF-tiedostoja ei tueta"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fr.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fr.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index b62fe603355a..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/fr.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Vous ne trouvez pas ce que vous cherchez ?"; -"Rate App" = "Évaluer l'app"; -"We\'re happy to help you!" = "Nous serons ravis de vous aider !"; -"Did we answer all your questions?" = "Avons-nous répondu à toutes vos questions ?"; -"Remind Later" = "Me rappeler plus tard"; -"Your message has been received." = "Votre message a été reçu."; -"Message send failure." = "Échec de l'envoi du message."; -"What\'s your feedback about our customer support?" = "Que pensez-vous de notre assistance client ?"; -"Take a screenshot on your iPhone" = "Faites une capture d'écran sur votre iPhone"; -"Learn how" = "Apprendre comment"; -"Take a screenshot on your iPad" = "Faites une capture d'écran sur votre iPad"; -"Your email(optional)" = "Votre e-mail (facultatif)"; -"Conversation" = "Conversation"; -"View Now" = "Afficher maintenant"; -"SEND ANYWAY" = "ENVOYER QUAND MÊME"; -"OK" = "OK"; -"Help" = "Aide"; -"Send message" = "Envoyer un message"; -"REVIEW" = "CRITIQUE"; -"Share" = "Partager"; -"Close Help" = "Fermer l'aide"; -"Sending your message..." = "Envoi de votre message..."; -"Learn how to" = "Apprendre comment"; -"No FAQs found in this section" = "Aucune FAQ trouvée dans cette section"; -"Thanks for contacting us." = "Merci de nous avoir contactés."; -"Chat Now" = "Discuter maintenant"; -"Buy Now" = "Acheter maintenant"; -"New Conversation" = "Nouvelle conversation"; -"Please check your network connection and try again." = "Veuillez vérifier votre connexion réseau et réessayer."; -"New message from Support" = "Nouveau message de l'assistance"; -"Question" = "Question"; -"Type in a new message" = "Saisir un nouveau message"; -"Email (optional)" = "E-mail (optionnel)"; -"Reply" = "Répondre"; -"CONTACT US" = "NOUS CONTACTER"; -"Email" = "E-mail"; -"Like" = "Aimer"; -"Tap here if this FAQ was not helpful to you" = "Touchez ici si vous n'avez pas trouvé la FAQ utile."; -"Any other feedback? (optional)" = "D'autres commentaires ? (optionnel)"; -"You found this helpful." = "Vous avez trouvé cela utile."; -"No working Internet connection is found." = "Aucune connexion internet active trouvée."; -"No messages found." = "Aucun message trouvé."; -"Please enter a brief description of the issue you are facing." = "Veuillez saisir une brève description de votre problème."; -"Shop Now" = "Parcourir maintenant"; -"Close Section" = "Fermer la section"; -"Close FAQ" = "Fermer la FAQ"; -"Close" = "Fermer"; -"This conversation has ended." = "Cette conversation est terminée."; -"Send it anyway" = "Envoyer quand même"; -"You accepted review request." = "Vous avez accepté une demande de critique."; -"Delete" = "Supprimer"; -"What else can we help you with?" = "Que pouvons-nous faire d'autre pour vous ?"; -"Tap here if the answer was not helpful to you" = "Touchez ici si la réponse reçue ne vous a pas aidé."; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Désolé. Dites-nous en un peu plus sur le problème que vous rencontrez ?"; -"Service Rating" = "Évaluation du service"; -"Your email" = "Votre e-mail"; -"Email invalid" = "E-mail invalide"; -"Could not fetch FAQs" = "FAQ irrécupérable"; -"Thanks for rating us." = "Merci de nous avoir notés."; -"Download" = "Télécharger"; -"Please enter a valid email" = "Entrez une adresse e-mail valide."; -"Message" = "Message"; -"or" = "ou"; -"Decline" = "Refuser"; -"No" = "Non"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Échec d'envoi de la capture d'écran. Image trop lourde, réessayez avec une autre image."; -"Hated it" = "J'ai détesté"; -"Stars" = "Étoiles"; -"Your feedback has been received." = "Votre commentaire a été reçu."; -"Dislike" = "Ne pas aimer"; -"Preview" = "Aperçu"; -"Book Now" = "Commander maintenant"; -"START A NEW CONVERSATION" = "LANCER UNE NOUVELLE CONVERSATION"; -"Your Rating" = "Votre évaluation"; -"No Internet!" = "Pas d'internet !"; -"Invalid Entry" = "Saisie invalide"; -"Loved it" = "J'ai adoré"; -"Review on the App Store" = "Publier une critique sur l'App Store"; -"Open Help" = "Ouvrir l'aide"; -"Search" = "Rechercher"; -"Tap here if you found this FAQ helpful" = "Touchez ici si vous avez trouvé la FAQ utile."; -"Star" = "Étoile"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Touchez ici si la réponse reçue vous a aidé."; -"Report a problem" = "Signaler un problème"; -"YES, THANKS!" = "OUI, MERCI !"; -"Was this helpful?" = "Cela a-t-il été utile ?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Votre message n'a pas été envoyé.Toucher \"Réessayer\" pour l'envoyer ?"; -"Suggestions" = "Suggestions"; -"No FAQs found" = "Aucune FAQ trouvée"; -"Done" = "Fait"; -"Opening Gallery..." = "Ouverture photothèque..."; -"You rated the service with" = "Vous avez évalué ce service avec"; -"Cancel" = "Annuler"; -"Loading..." = "Chargement..."; -"Read FAQs" = "Consulter les FAQ"; -"Thanks for messaging us!" = "Merci pour votre message !"; -"Try Again" = "Réessayer"; -"Send Feedback" = "Envoyer commentaire"; -"Your Name" = "Votre nom"; -"Please provide a name." = "Veuillez fournir un nom."; -"FAQ" = "FAQ"; -"Describe your problem" = "Décrivez votre problème"; -"How can we help?" = "Comment pouvons-nous vous aider ?"; -"Help about" = "Aide concernant"; -"We could not fetch the required data" = "Données requises irrécupérables"; -"Name" = "Nom"; -"Sending failed!" = "Échec de l'envoi !"; -"You didn't find this helpful." = "Vous n'avez pas trouvé cela utile."; -"Attach a screenshot of your problem" = "Joindre une capture d'écran de votre problème"; -"Mark as read" = "Marquer comme lu"; -"Name invalid" = "Nom invalide"; -"Yes" = "Oui"; -"What's on your mind?" = "Qu'avez-vous en tête ?"; -"Send a new message" = "Envoyer un nouveau message"; -"Questions that may already have your answer" = "Questions contenant peut-être déjà votre réponse"; -"Attach a photo" = "Joindre une photo"; -"Accept" = "Accepter"; -"Your reply" = "Votre réponse"; -"Inbox" = "Boîte de réception"; -"Remove attachment" = "Supprimer la pièce jointe"; -"Could not fetch message" = "Impossible de récupérer le message"; -"Read FAQ" = "Consulter la FAQ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Nous sommes désolés ! Cette conversation a été fermée pour inactivité. Veuillez commencer une nouvelle conversation avec nos agents."; -"%d new messages from Support" = "%d nouveaux messages de l'assistance"; -"Ok, Attach" = "Ok, joindre"; -"Send" = "Envoyer"; -"Screenshot size should not exceed %.2f MB" = "La taille d'une capture d'écran ne doit pas dépasser %.2f Mo."; -"Information" = "Informations"; -"Issue ID" = "Identifiant du problème"; -"Tap to copy" = "Touchez pour copier"; -"Copied!" = "Copié !"; -"We couldn't find an FAQ with matching ID" = "Impossible de trouver une FAQ avec cet identifiant"; -"Failed to load screenshot" = "Échec du chargement de la capture d'écran"; -"Failed to load video" = "Échec du chargement de la vidéo"; -"Failed to load image" = "Échec du chargement de l'image"; -"Hold down your device's power and home buttons at the same time." = "Maintenez en même temps les boutons Marche et Home de votre appareil."; -"Please note that a few devices may have the power button on the top." = "Veuillez noter que pour certains modèles, le bouton Marche est situé sur le dessus."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Ensuite, revenez à cette conversation et touchez « Ok, joindre » pour joindre le fichier."; -"Okay" = "Ok"; -"We couldn't find an FAQ section with matching ID" = "Impossible de trouver une section de la FAQ avec cet identifiant"; - -"GIFs are not supported" = "Les GIF ne sont pas pris en charge"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/gu.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/gu.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 2e020f323ec7..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/gu.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,150 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "તમે જે શોધી રહ્યા હતા તે મેળવી શકાતું નથી?"; -"Rate App" = "ઍપ્લિકેશન રેટ કરો"; -"We\'re happy to help you!" = "અમે તમને મદદ કરવામાં અમને આનંદ છે!"; -"Did we answer all your questions?" = "શું અમે તમારા બધા પ્રશ્નોના જવાબ આપ્યા?"; -"Remind Later" = "પછી યાદ કરાવો"; -"Your message has been received." = "તમારો મેસેજ પ્રાપ્ત થયો છે."; -"Message send failure." = "મેસેજ મોકલવામાં નિષ્ફળતા."; -"What\'s your feedback about our customer support?" = "અમારા કસ્ટમર સપોર્ટ વિષે તમારો શું પ્રતિભાવ છે?"; -"Take a screenshot on your iPhone" = "તમારા આઇફોન (iPhone) પર એક સ્ક્રીનશૉટ લો"; -"Learn how" = "જાણો કેવી રીતે"; -"Take a screenshot on your iPad" = "તમારા આઈપેડ (iPad) પર એક સ્ક્રીનશૉટ લો"; -"Your email(optional)" = "તમારો ઈમેઈલ (વૈકલ્પિક)"; -"Conversation" = "વાતચીત"; -"View Now" = "હમણાં જુઓ"; -"SEND ANYWAY" = "તો પણ મોકલો"; -"OK" = "ઓકે"; -"Help" = "મદદ"; -"Send message" = "મેસેજ મોકલો"; -"REVIEW" = "સમીક્ષા"; -"Share" = "શેઅર કરો"; -"Close Help" = "હેલ્પ બંધ કરો"; -"Sending your message..." = "તમારો મેસેજ મોકલાઈ રહ્યો છે..."; -"Learn how to" = "શીખો કેવી રીતે"; -"No FAQs found in this section" = "આ વિભાગમાં વારંવાર પૂછતા પ્રશ્નો મળ્યા નથી"; -"Thanks for contacting us." = "અમારો સંપર્ક કરવા બદ્દલ તમારો આભાર."; -"Chat Now" = "હમણાં ચેટ કરો"; -"Buy Now" = "હમણાં ખરીદો"; -"New Conversation" = "નવી વાતચીત"; -"Please check your network connection and try again." = "કૃપા કરીને તમારું નેટવર્ક કનેક્શન તપાસો અને ફરીથી પ્રયાસ કરો."; -"New message from Support" = "સપોર્ટ માંથી નવો મેસેજ"; -"Question" = "પ્રશ્ન"; -"Type in a new message" = "એક નવા મેસેજમાં ટાઈપ કરો"; -"Email (optional)" = "ઇમેઇલ (વૈકલ્પિક)"; -"Reply" = "જવાબ આપો"; -"CONTACT US" = "અમારો સંપર્ક કરો"; -"Email" = "ઇમેઇલ"; -"Like" = "લાઈક કરો"; -"Tap here if this FAQ was not helpful to you" = "જો જવાબ તમને મદદરૂપ હતો નથી તો અહીં ટૅપ કરો"; -"Any other feedback? (optional)" = "કોઈપણ અન્ય ફીડબૅક? (વૈકલ્પિક)"; -"You found this helpful." = "તમને આ મદદરૂપ લાગ્યું."; -"No working Internet connection is found." = "કોઈ સક્રિય ઈન્ટરનેટ કનેક્શન મળ્યું નથી."; -"No messages found." = "કોઈ મેસેજ ગોતી શકાયા નથી."; -"Please enter a brief description of the issue you are facing." = "તમે જે સમસ્યાનો સામનો કરી રહ્યા છો તેનું સંક્ષિપ્ત વર્ણન દાખલ કરો."; -"Shop Now" = "હમણાં ખરીદો"; -"Close Section" = "વિભાગ બંધ કરો"; -"Close FAQ" = "વારંવાર પૂછાતા પ્રશ્નો (એફએક્યુ) બંધ કરો"; -"Close" = "બંધ કરો"; -"This conversation has ended." = "આ વાતચીત સમાપ્ત થઈ છે."; -"Send it anyway" = "છતાં પણ મોકલો"; -"You accepted review request." = "તમે સમીક્ષાની વિનંતી સ્વીકારી છે."; -"Delete" = "ડીલીટ કરો"; -"What else can we help you with?" = "અમે તમારી બીજી શું મદદ કરી શકીએ?"; -"Tap here if the answer was not helpful to you" = "જો જવાબ તમને મદદરૂપ હતો નથી તો અહીં ટૅપ કરો"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "તે સાંભળીને દિલગીર છીએ. તમે જેનો સામનો કરી રહ્યા છો તે સમસ્યા વિષે કૃપા કરીને અમને વધુ કહેશો?"; -"Service Rating" = "સેવા સંબંધિત રેટિંગ"; -"Your email" = "તમારો ઇમેઇલ"; -"Email invalid" = "ઇમેઇલ અમાન્ય છે"; -"Could not fetch FAQs" = "વારંવાર પૂછાતા પ્રશ્નો લાવી શકાયા નથી"; -"Thanks for rating us." = "અમને રેટ કરવા બદ્દલ આભાર."; -"Download" = "ડાઉનલોડ કરો"; -"Please enter a valid email" = "કૃપા કરીને માન્ય ઇમેઇલ દાખલ કરો"; -"Message" = "મેસેજ"; -"or" = "અથવા"; -"Decline" = "નકારો"; -"No" = "ના"; -"Screenshot could not be sent. Image is too large, try again with another image" = "સ્ક્રીનશૉટ મોકલી શકાયો નથી. ઈમેજ ખૂબ જ મોટી છે, બીજી ઈમેજ સાથે ફરીથી પ્રયાસ કરો"; -"Hated it" = "અત્યંત ખરાબ"; -"Stars" = "સ્ટાર્સ"; -"Your feedback has been received." = "તમારો ફીડબૅક પ્રાપ્ત કરવામાં આવ્યો છે."; -"Dislike" = "ડિસલાઈક કરો"; -"Preview" = "પ્રીવ્યૂ"; -"Book Now" = "હમણાં બુક કરો"; -"START A NEW CONVERSATION" = "નવી વાતચીત શરૂ કરો"; -"Your Rating" = "તમારી રેટિંગ"; -"No Internet!" = "ઈન્ટરનેટ નથી!"; -"Invalid Entry" = "અમાન્ય એન્ટ્રી"; -"Loved it" = "ખૂબ જ સરસ"; -"Review on the App Store" = "ઍપ સ્ટોરમાં સમીક્ષા કરો"; -"Open Help" = "હેલ્પ ઓપન કરો"; -"Search" = "સર્ચ કરો"; -"Tap here if you found this FAQ helpful" = "અહીં ટૅપ કરો જો તમને આ વારંવાર પૂછાતા પ્રશ્નો (એફએક્યુ) મદદરૂપ લાગ્યો હોય"; -"Star" = "સ્ટાર"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "અહીં ટૅપ કરો જો તમને જવાબ મદદરૂપ લાગ્યો હોય"; -"Report a problem" = "એક સમસ્યા અહેવાલિત કરો"; -"YES, THANKS!" = "હા આભાર!"; -"Was this helpful?" = "શું આ મદદરૂપ હતું?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "તમારો મેસેજ મોકલાયો ન હતો. ટૅપ કરો \"આ મેસેજ મોકલવા માટે \"ફરીથી પ્રયત્ન કરો\"?"; -"Suggestions" = "સૂચનો"; -"No FAQs found" = "કોઈ વારંવાર પૂછાતા પ્રશ્નો મળ્યા નથી"; -"Done" = "થઈ ગયું"; -"Opening Gallery..." = "ગૅલરી ખુલી રહી છે..."; -"You rated the service with" = "તમે આ સાથે સેવાને રેટ કરી"; -"Cancel" = "રદ કરો"; -"Loading..." = "લોડ થઈ રહ્યું છે..."; -"Read FAQs" = "વારંવાર પૂછાતા પ્રશ્નો (એફએક્યુ) વાંચો"; -"Thanks for messaging us!" = "અમને મેસેજ કરવા બદ્દલ આભાર"; -"Try Again" = "ફરી પ્રયત્ન કરો"; -"Send Feedback" = "ફીડબૅક મોકલો"; -"Your Name" = "તમારું નામ"; -"Please provide a name." = "કૃપા કરીને એક નામ આપો."; -"FAQ" = "એફએક્યૂ (વારંવાર પૂછાતા પ્રશ્નો)"; -"Describe your problem" = "તમારી સમસ્યાનું વર્ણન કરો"; -"How can we help?" = "અમે કેવી રીતે મદદ કરી શકીએ?"; -"Help about" = "વિષે હેલ્પ"; -"We could not fetch the required data" = "અમે જરૂરી ડૅટા લાવી શક્યા નથી"; -"Name" = "નામ"; -"Sending failed!" = "મોકલવાનું નિષ્ફળ ગયું!"; -"You didn't find this helpful." = "તમને આ મદદરૂપ લાગ્યું નહીં."; -"Attach a screenshot of your problem" = "તમારી સમસ્યાનો એક સ્ક્રીનશૉટ જોડો"; -"Mark as read" = "વાંચેલ તરીકે ચિહ્નિત કરો"; -"Name invalid" = "નામ અમાન્ય છે"; -"Yes" = "હા"; -"What's on your mind?" = "તમારા મનમાં શું ચાલી રહ્યું છે?"; -"Send a new message" = "એક નવો મેસેજ મોકલો"; -"Questions that may already have your answer" = "પ્રશ્નો કે જેમના તમારા જવાબ પહેલેથી હોય"; -"Attach a photo" = "એક ફોટો જોડો"; -"Accept" = "સ્વીકારો"; -"Your reply" = "તમારો જવાબ"; -"Inbox" = "ઈનબૉક્સ"; -"Remove attachment" = "જોડાણ કાઢી નાખો"; -"Could not fetch message" = "મેસેજ લાવી શકાયો નથી"; -"Read FAQ" = "વારંવાર પૂછાતા પ્રશ્નો (એફએક્યુ) વાંચો"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "દિલગીર છીએ! આ વાતચીત નિષ્ક્રિયતા કારણે બંધ કરવામાં આવી હતી. કૃપા કરીને અમારા એજન્ટો સાથે નવી વાતચીત શરૂ કરો."; -"%d new messages from Support" = "%d સપોર્ટ તરફથી નવા મેસેજ"; -"Ok, Attach" = "ઠીક છે, જોડો"; -"Send" = "મોકલો"; -"Screenshot size should not exceed %.2f MB" = "સ્ક્રીનશૉટ સાઈઝ %.2f એમબી થી વધવી જોઈએ નહીં"; -"Information" = "માહિતી"; -"Issue ID" = "ઇસ્યુ આઇડી"; -"Tap to copy" = "ક્લિપબોર્ડમાં કોપી કરો"; -"Copied!" = "કોપી થયું!"; -"We couldn't find an FAQ with matching ID" = "અમે મેળ ખાતી આઈડી સાથે એફએક્યુ શોધી શક્યા નથી"; -"Failed to load screenshot" = "સ્ક્રીનશૉટ લોડ કરવામાં નિષ્ફળ"; -"Failed to load video" = "વિડિઓ લોડ કરવામાં નિષ્ફળ"; -"Failed to load image" = "ઇમેજ લોડ કરવામાં નિષ્ફળ"; -"Hold down your device's power and home buttons at the same time." = "તમારા ઉપકરણના પાવર અને હોમ બટનો એક જ સમયે દબાવી રાખો."; -"Please note that a few devices may have the power button on the top." = "કૃપા કરીને નોંધ લો કે કેટલાંક ઉપકરણોમાં પાવર બટન ઉપરની બાજુએ હોઈ શકે છે."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "એકવાર તે થઈ ગયા પછી, આ વાતચીત પાર પાછા આવો અને જોડવા માટે \"ઓકે, જોડે\" પર ટૅપ કરો."; -"Okay" = "ઓકે"; -"We couldn't find an FAQ section with matching ID" = "અમે મેળ ખાતી આઈડી સાથે FAQ વિભાગ શોધી શક્યા નથી"; - -"GIFs are not supported" = "GIF સપોર્ટેડ નથી"; - diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/he.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/he.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 352873e7beb9..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/he.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* - HelpshiftLocalizable.strings - Helpshift - Copyright (c) 2014 Helpshift,Inc., All rights reserved. - */ - -"Can't find what you were looking for?" = "לא הצלחת למצוא את מה שאת/ה מחפש/ת?"; -"Rate App" = "דרג/י את האפליקציה"; -"We\'re happy to help you!" = "נשמח לעזור לך!"; -"Did we answer all your questions?" = "האם ענינו על כל השאלות שלך?"; -"Remind Later" = "הזכר/הזכירי לי מאוחר יותר"; -"Your message has been received." = "הודעתך התקבלה."; -"Message send failure." = "נכשלה שליחת ההודעה."; -"What\'s your feedback about our customer support?" = "מהו המשוב שלך על התמיכה בלקוחות?"; -"Take a screenshot on your iPhone" = "בצע/י צילום מסך מה-iPhone"; -"Learn how" = "למידע נוסף"; -"Take a screenshot on your iPad" = "בצע/י צילום מסך מה-iPad"; -"Your email(optional)" = "הדוא\"ל שלך (אופציונלי)"; -"Conversation" = "שיחה"; -"View Now" = "הצג/הציגי עכשיו"; -"SEND ANYWAY" = "שלח בכל זאת"; -"OK" = "אישור"; -"Help" = "עזרה"; -"Send message" = "שלח/י הודעה"; -"REVIEW" = "סקירה"; -"Share" = "שתף/שתפי"; -"Close Help" = "סגור/סגרי את העזרה"; -"Sending your message..." = "שולח את ההודעה..."; -"Learn how to" = "למידע נוסף"; -"No FAQs found in this section" = "אין שאלות נפוצות במקטע זה"; -"Thanks for contacting us." = "תודה שפנית אלינו."; -"Chat Now" = "שוחח/י בצ'אט עכשיו"; -"Buy Now" = "קנה/קני עכשיו"; -"New Conversation" = "שיחה חדשה"; -"Please check your network connection and try again." = "נא לבדוק את החיבור לרשת ולנסות שוב."; -"New message from Support" = "הודעה חדשה מתמיכה"; -"Question" = "שאלה"; -"Type in a new message" = "הקלד/הקלידי הודעה חדשה"; -"Email (optional)" = "דוא\"ל (אופציונלי)"; -"Reply" = "השב/השיבי"; -"CONTACT US" = "צרו קשר"; -"Email" = "דוא\"ל"; -"Like" = "אהבתי"; -"Tap here if this FAQ was not helpful to you" = "הקש/הקישי כאן אם שאלות נפוצות אלה לא הועילו לך"; -"Any other feedback? (optional)" = "האם יש לך משוב נוסף? (אופציונלי)"; -"You found this helpful." = "זה עזר לך."; -"No working Internet connection is found." = "לא נמצא חיבור פעיל לאינטרנט."; -"No messages found." = "לא נמצאו הודעות."; -"Please enter a brief description of the issue you are facing." = "נא להזין תיאור קצר של הבעיה שבה נתקלת."; -"Shop Now" = "קנה/קני עכשיו"; -"Close Section" = "סגור/סגרי מקטע"; -"Close FAQ" = "סגור/סגרי שאלות נפוצות"; -"Close" = "סגור"; -"This conversation has ended." = "שיחה זו הסתיימה."; -"Send it anyway" = "שלח/י בכל זאת"; -"You accepted review request." = "קיבלת את בקשת הסקירה."; -"Delete" = "מחק/י"; -"What else can we help you with?" = "מה עוד נוכל לעשות למענך?"; -"Tap here if the answer was not helpful to you" = "הקש/הקישי כאן אם התשובה לא הועילה לך"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "מצטערים על כך. האם אפשר לספר לנו קצת יותר על הבעיה שבה נתקלת?"; -"Service Rating" = "דירוג שירות"; -"Your email" = "הדוא\"ל שלך"; -"Email invalid" = "דוא\"ל לא תקף"; -"Could not fetch FAQs" = "לא ניתן להביא שאלות נפוצות"; -"Thanks for rating us." = "תודה שדירגת אותנו."; -"Download" = "הורד/הורידי"; -"Please enter a valid email" = "הזן/הזיני כתובת דוא\"ל תקפה"; -"Message" = "הודעה"; -"or" = "או"; -"Decline" = "דחה/דחי"; -"No" = "לא"; -"Screenshot could not be sent. Image is too large, try again with another image" = "נכשלה שליחת צילום המסך. התמונה גדולה מדי, יש לנסות שוב עם תמונה אחרת"; -"Hated it" = "שנאתי את זה"; -"Stars" = "כוכבים"; -"Your feedback has been received." = "משובך התקבל."; -"Dislike" = "לא אהבתי"; -"Preview" = "צפייה מקדימה"; -"Book Now" = "הזמן/הזמיני עכשיו"; -"START A NEW CONVERSATION" = "התחל שיחה חדשה"; -"Your Rating" = "הדירוג שלך"; -"No Internet!" = "אין אינטרנט!"; -"Invalid Entry" = "ערך לא תקף"; -"Loved it" = "אהבתי את זה"; -"Review on the App Store" = "סקירה ב-App Store"; -"Open Help" = "פתח/י את העזרה"; -"Search" = "חיפוש"; -"Tap here if you found this FAQ helpful" = "הקש/הקישי כאן אם שאלות נפוצות אלה הועילו לך"; -"Star" = "כוכב"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "הקש/הקישי כאן אם תשובה זו הועילה לך"; -"Report a problem" = "דווח/י על בעיה"; -"YES, THANKS!" = "כן, תודה!"; -"Was this helpful?" = "האם זה עזר?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "הודעתך לא נשלחה. נא להקיש \"לנסות שוב\" לשלוח הודעה זו?"; -"Suggestions" = "הצעות"; -"No FAQs found" = "לא נמצאו שאלות נפוצות"; -"Done" = "סיום"; -"Opening Gallery..." = "פותח גלריה..."; -"You rated the service with" = "דירגת את השירות עם"; -"Cancel" = "ביטול"; -"Loading..." = "טוען..."; -"Read FAQs" = "קרא/י שאלות נפוצות"; -"Thanks for messaging us!" = "תודה על הודעתך!"; -"Try Again" = "נסה שוב"; -"Send Feedback" = "שלח/י משוב"; -"Your Name" = "שמך"; -"Please provide a name." = "נא לספק שם."; -"FAQ" = "שאלות נפוצות"; -"Describe your problem" = "תאר/י את הבעיה"; -"How can we help?" = "כיצד נוכל לעזור?"; -"Help about" = "עזרה בנושא"; -"We could not fetch the required data" = "לא הצלחנו להביא את הנתונים הדרושים"; -"Name" = "שם"; -"Sending failed!" = "נכשלה השליחה!"; -"You didn't find this helpful." = "זה לא היה מועיל."; -"Attach a screenshot of your problem" = "צרף/צרפי צילום מסך של הבעיה"; -"Mark as read" = "סמן/סמני כהודעה שנקראה"; -"Name invalid" = "שם לא תקף"; -"Yes" = "כן"; -"What's on your mind?" = "מה קורה?"; -"Send a new message" = "שלח/י הודעה חדשה"; -"Questions that may already have your answer" = "שאלות שיתכן שכוללות כבר תשובה בשבילך"; -"Attach a photo" = "צרף/צרפי תמונה"; -"Accept" = "קבל/י"; -"Your reply" = "המענה שלך"; -"Inbox" = "תיבת דואר נכנס"; -"Remove attachment" = "הסר/הסירי קובץ מצורף"; -"Could not fetch message" = "לא ניתן להביא הודעה"; -"Read FAQ" = "קרא/י שאלות נפוצות"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "מצטערים! שיחה זו נסגרה עקב העדר פעילות. התחל שיחה חדשה עם סוכנים."; -"%d new messages from Support" = "%d הודעות חדשות מהתמיכה"; -"Ok, Attach" = "בסדר, צרף קובץ"; -"Send" = "שלח"; -"Screenshot size should not exceed %.2f MB" = "גודל צילום המסך לא יכול לחרוג מ-%.2f MB"; -"Information" = "מידע"; -"Issue ID" = "זיהוי הנפקה"; -"Tap to copy" = "הקש כדי להעתיק"; -"Copied!" = "הועתק!"; -"We couldn't find an FAQ with matching ID" = "לא הצלחנו למצוא שאלה נפוצה עם קוד זיהוי תואם"; -"Failed to load screenshot" = "טעינת צילום המסך נכשלה"; -"Failed to load video" = "טעינת הסרטון נכשלה"; -"Failed to load image" = "טעינת התמונה נכשלה"; -"Hold down your device's power and home buttons at the same time." = "יש להחזיק את לחצן ההפעלה ואת לחצן הבית לחוצים בו-זמנית במכשיר."; -"Please note that a few devices may have the power button on the top." = "לתשומת לבך, יתכן שלחצן ההפעלה יהיה בראש המכשיר במכשירים מסוימים."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "לאחר ביצוע הפעולה, יש לחזור לשיחה זו ולהקיש על \"בסדר, צרף קובץ\" כדי לצרף אותו."; -"Okay" = "אישור"; -"We couldn't find an FAQ section with matching ID" = "לא הצלחנו למצוא מקטע של שאלות נפוצות עם מזהה תואם"; - -"GIFs are not supported" = "קבצי GIF אינם נתמכים"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hi.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hi.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 56ae17a4e725..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hi.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "आप जो खोज रहे हैं, वह नहीं मिल रहा है?"; -"Rate App" = "ऐप का मूल्यांकन करें"; -"We\'re happy to help you!" = "हम आपकी सहायता करके प्रसन्न हैं!"; -"Did we answer all your questions?" = "क्या हमने आपके सभी प्रश्नों के उत्तर दिए?"; -"Remind Later" = "बाद में याद दिलाएं"; -"Your message has been received." = "आपका संदेश प्राप्त हो गया है।"; -"Message send failure." = "संदेश प्रेषण विफल रहा।"; -"What\'s your feedback about our customer support?" = "हमारी ग्राहक सेवा के संबंध में आपकी प्रतिक्रिया क्या है?"; -"Take a screenshot on your iPhone" = "अपने iPhone पर एक स्क्रीनशॉट लें"; -"Learn how" = "तरीका सीखें"; -"Take a screenshot on your iPad" = "अपने iPad पर एक स्क्रीनशॉट लें"; -"Your email(optional)" = "आपका ईमेल (वैकल्पिक)"; -"Conversation" = "वार्तालाप"; -"View Now" = "अभी देखें"; -"SEND ANYWAY" = "किसी भी तरह् से भेजें"; -"OK" = "ठीक है"; -"Help" = "मदद"; -"Send message" = "संदेश भेजें"; -"REVIEW" = "समीक्षा करें"; -"Share" = "साझा करें"; -"Close Help" = "सहायता बंद करें"; -"Sending your message..." = "आपका संदेश भेज रहा है..."; -"Learn how to" = "तरीका सीखें"; -"No FAQs found in this section" = "इस अनुभाग में कोई अक्सर पूछे गए प्रश्न नहीं मिलेे"; -"Thanks for contacting us." = "हमसे संपर्क करने के लिए धन्यवाद।"; -"Chat Now" = "अभी चैट करें"; -"Buy Now" = "अभी खरीदें"; -"New Conversation" = "नया वार्तालाप"; -"Please check your network connection and try again." = "कृपया अपना नेटवर्क कनेक्शन जांचें तथा पुन: प्रयास करेंं।"; -"New message from Support" = "समर्थन के नए संदेश"; -"Question" = "प्रश्न"; -"Type in a new message" = "एक नया संदेश टाइप करें"; -"Email (optional)" = "ईमेल (वैकल्पिक)"; -"Reply" = "जवाब दीजिए"; -"CONTACT US" = "हमसे संपर्क करें"; -"Email" = "ईमेल"; -"Like" = "पसंद"; -"Tap here if this FAQ was not helpful to you" = "यदि यह FAQ आपके लिए उपयोगी नहीं था तो यहाँ टैप करें"; -"Any other feedback? (optional)" = "कोई अन्य प्रतिक्रिया? (वैकल्पिक)"; -"You found this helpful." = "आपको यह उपयोगी लगा।"; -"No working Internet connection is found." = "कोई कार्यशील इंटरनेट कनेक्शन नहीं मिला।"; -"No messages found." = "कोई संदेश नहीं मिला."; -"Please enter a brief description of the issue you are facing." = "आप जिस समस्या का सामना कर रहे हैं, कृपया उसका संक्षिप्त विवरण दर्ज करें।"; -"Shop Now" = "अब खरीददारी करें"; -"Close Section" = "सेक्शन बंद करें"; -"Close FAQ" = "अक्सर पूछे गए सवाल (FAQ) बंद करें"; -"Close" = "बंद करें"; -"This conversation has ended." = "यह वार्तालाप समाप्त हो चुका है"; -"Send it anyway" = "इसे किसी भी तरह् से भेजें"; -"You accepted review request." = "आपने समीक्षा अनुरोध स्वीकार किया है."; -"Delete" = "हटाएं"; -"What else can we help you with?" = "हम आपकी और किस तरह से मदद कर सकते हैं?"; -"Tap here if the answer was not helpful to you" = "यदि जवाब आपके लिए उपयोगी नहीं था तो यहाँ टैप करें"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "यह जानकर दुख हुआ। क्या आप जिस समस्या का सामना कर रहे हैं, उसके बारे में थोड़ा विस्तार से बताएंगे?"; -"Service Rating" = "सेवा का मूल्यांकन"; -"Your email" = "आपका ईमेल"; -"Email invalid" = "अमान्य ईमेल"; -"Could not fetch FAQs" = "सामान्य प्रश्न फ़ेच नहीं कर सके"; -"Thanks for rating us." = "हमारा मूल्यांकन करने के लिए धन्यवाद।"; -"Download" = "डाउनलोड करें"; -"Please enter a valid email" = "कृपया एक मान्य ईमेल दर्ज करें"; -"Message" = "संदेश"; -"or" = "या"; -"Decline" = "रद्द करें"; -"No" = "नहीं"; -"Screenshot could not be sent. Image is too large, try again with another image" = "स्क्रीनशॉट नहीं भेजा जा सका। छवि बहुत बड़ी है, दूसरी छवि के साथ पुन: प्रयास करें"; -"Hated it" = "इससे घृणा है"; -"Stars" = "स्टार"; -"Your feedback has been received." = "आपकी प्रतिक्रिया प्राप्त हो चुकी है।"; -"Dislike" = "नापसंद"; -"Preview" = "पूर्वावलोकन"; -"Book Now" = "अभी बुक करें"; -"START A NEW CONVERSATION" = "नया वार्तालाप शुरू करें"; -"Your Rating" = "आपका मूल्यांकन"; -"No Internet!" = "कोई इंटरनेट नहीं!"; -"Invalid Entry" = "अमान्य प्रविष्टि"; -"Loved it" = "यह पसंद है"; -"Review on the App Store" = "ऐप स्टोर में समीक्षा करें"; -"Open Help" = "सहायता खोलें"; -"Search" = "खोजें"; -"Tap here if you found this FAQ helpful" = "यदि आपको य‍ह FAQ उपयोगी लगा तो यहाँ टैप करें"; -"Star" = "स्टार"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "यदि आपको य‍ह उपयोगी लगा तो यहाँ टैप करें"; -"Report a problem" = "एक समस्या की रिपोर्ट करें"; -"YES, THANKS!" = "हां, धन्यवाद!"; -"Was this helpful?" = "क्या यह उपयोगी था?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "आपका संदेश प्रेषित नहीं किया गया।इस संदेश को भेजने के लिए \"पुन: प्रयास करें\" पर टैप करें?"; -"Suggestions" = "सुझाव"; -"No FAQs found" = "कोई FAQ नहीं मिला"; -"Done" = "पूर्ण हो गया"; -"Opening Gallery..." = "गैलरी खुल रही है..."; -"You rated the service with" = "आपने सेवा का मूल्यांकन इसके साथ किया है"; -"Cancel" = "रद्द करें"; -"Loading..." = "लोड हो रहा है..."; -"Read FAQs" = "अक्सर पूछे गए सवाल (FAQ) पढ़ें"; -"Thanks for messaging us!" = "हमे संदेश प्रेषित करने के लिए धन्यवाद!"; -"Try Again" = "पुन: कोशिश करें"; -"Send Feedback" = "प्रतिक्रिया भेजें"; -"Your Name" = "आपका नाम"; -"Please provide a name." = "कृपया कोई नाम प्रदान करें।"; -"FAQ" = "FAQ"; -"Describe your problem" = "अपनी समस्या का विवरण दें"; -"How can we help?" = "हम आपकी कैसे मदद कर सकते हैं?"; -"Help about" = "इस विषय में सहायता"; -"We could not fetch the required data" = "हम आवश्यक डेट फ़ेच नहीं कर सके"; -"Name" = "नाम"; -"Sending failed!" = "प्रेषण विफल रहा!"; -"You didn't find this helpful." = "आपके लिए यह उपयोगी नहीं रहा।"; -"Attach a screenshot of your problem" = "अपनी समस्या का एक स्क्रीनशॉट संलग्न करें"; -"Mark as read" = "पढ़ेे गए चिह्नित करें"; -"Name invalid" = "नाम अमान्य"; -"Yes" = "हाँ"; -"What's on your mind?" = "आपके मन में क्या चल रहा है?"; -"Send a new message" = "एक नया संदेश भेजें"; -"Questions that may already have your answer" = "ऐसे प्रश्न जो आपके उत्तर में पहले से ही हो सकते हैं"; -"Attach a photo" = "एक फोटो संलग्न करें"; -"Accept" = "स्वीकार करें"; -"Your reply" = "आपका जवाब"; -"Inbox" = "इनबॉक्स"; -"Remove attachment" = "संलग्नक हटाएं"; -"Could not fetch message" = "संदेश हासिल नहीं कर सके"; -"Read FAQ" = "अक्सर पूछे गए सवाल (FAQ) देखें"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "माफ करें! निष्क्रियता के कारण यह वार्तालाप बंद कर दिया गया था. कृपया हमारे एजेंटों के साथ नया वार्तालाप आरंभ करें."; -"%d new messages from Support" = "%d समर्थन के नए संदेश"; -"Ok, Attach" = "ठीक है, संलग्न करें"; -"Send" = "भेजिए"; -"Screenshot size should not exceed %.2f MB" = "स्क्रीनशॉट आकार %.2f MB से ज्यादा नहीं होना चाहिए"; -"Information" = "जानकारी"; -"Issue ID" = "समस्या ID"; -"Tap to copy" = "कॉपी करने के लिए टैप करें"; -"Copied!" = "कॉपी हुआ!"; -"We couldn't find an FAQ with matching ID" = "इस ID से अक्सर किये जाने वाले सवाल नहीं मिल सके"; -"Failed to load screenshot" = "स्क्रीनशॉट लोड करने में विफल"; -"Failed to load video" = "विडियो लोड करने में विफल"; -"Failed to load image" = "इमेज लोड करने में विफल"; -"Hold down your device's power and home buttons at the same time." = "एक ही समय में अपने डिवाइस के पावर और होम बटन दबाए रखें।"; -"Please note that a few devices may have the power button on the top." = "कृपया ध्यान दें की कुछ उपकरणों में पावर बटन ऊपरी हिस्से में हो सकता है।"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "यह करने के बाद, वापस इस बातचीत पर आएं और \"ठीक है, संलग्न करें\" पर टैप करके संलग्नक करें।"; -"Okay" = "ठीक है"; -"We couldn't find an FAQ section with matching ID" = "इस ID से अक्सर किये जाने वाले सवालों का अनुभाग नहीं मिल सका"; - -"GIFs are not supported" = "जीआईएफ समर्थित नहीं हैं"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hr.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hr.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 9f56f69fce41..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hr.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Ne možete pronaći što tražite?"; -"Rate App" = "Ocijeni aplikaciju"; -"We\'re happy to help you!" = "Sretni smo što vam možemo pomoći"; -"Did we answer all your questions?" = "Jesmo li odgovorili na sva vaša pitanja?"; -"Remind Later" = "Podsjeti kasnije"; -"Your message has been received." = "Vaša je poruka primljena."; -"Message send failure." = "Neuspješno slanje poruke."; -"What\'s your feedback about our customer support?" = "Jeste li zadovoljni s našom službom za korisnike?"; -"Take a screenshot on your iPhone" = "Snimite snimku zaslona na svojem uređaju iPhone"; -"Learn how" = "Saznajte kako"; -"Take a screenshot on your iPad" = "Snimite snimku zaslona na svojem uređaju iPad"; -"Your email(optional)" = "Vaša adresa elektroničke pošte (dodatno)"; -"Conversation" = "Razgovor"; -"View Now" = "Pregledaj sada"; -"SEND ANYWAY" = "SVEJEDNO POŠALJI"; -"OK" = "U REDU"; -"Help" = "Pomoć"; -"Send message" = "Pošalji poruku"; -"REVIEW" = "OSVRT"; -"Share" = "Podijeli"; -"Close Help" = "Zatvori Pomoć"; -"Sending your message..." = "Slanje vaše poruke..."; -"Learn how to" = "Saznajte kako"; -"No FAQs found in this section" = "Nijedno često postavljano pitanje nije pronađeno u ovom odjeljku"; -"Thanks for contacting us." = "Hvala vam na poruci."; -"Chat Now" = "Čavrlja sada"; -"Buy Now" = "Kupi sada"; -"New Conversation" = "Novi razgovor"; -"Please check your network connection and try again." = "Provjerite svoju internetsku vezu i pokušajte ponovo."; -"New message from Support" = "Nova poruka od Službe za podršku"; -"Question" = "Pitanje"; -"Type in a new message" = "Napiši u novoj poruci"; -"Email (optional)" = "Adresa elektroničke pošte (neobvezno)"; -"Reply" = "Odgovori"; -"CONTACT US" = "OBRATITE NAM SE"; -"Email" = "Adresa elektroničke pošte"; -"Like" = "Sviđa mi se"; -"Tap here if this FAQ was not helpful to you" = "Ovdje dodirnite ako vam ovo Često postavljeno pitanje nije bilo korisno"; -"Any other feedback? (optional)" = "Dodatne povratne informacije? (neobvezno)"; -"You found this helpful." = "Ovo mi je objašnjenje bilo korisno."; -"No working Internet connection is found." = "Nije pronađena nijedna aktivna internetska veza."; -"No messages found." = "Nijedna poruka nije pronađena."; -"Please enter a brief description of the issue you are facing." = "Navedite kratak opis problema na koji ste naišli."; -"Shop Now" = "Kupuj sada"; -"Close Section" = "Zatvori Odjeljak"; -"Close FAQ" = "Zatvori Često postavljana pitanja"; -"Close" = "Zatvori"; -"This conversation has ended." = "Ovaj je razgovor završen."; -"Send it anyway" = "Svejedno pošalji"; -"You accepted review request." = "Prihvatili ste zahtjev za osvrtom."; -"Delete" = "Izbriši"; -"What else can we help you with?" = "Trebate li dodatnu pomoć?"; -"Tap here if the answer was not helpful to you" = "Ovdje dodirnite ako odgovor nije bio koristan"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Ispričavamo se zbog toga. Možete li nam reći nešto više o problemu na koji ste naišli?"; -"Service Rating" = "Ocjena pružene usluge"; -"Your email" = "Vaša adresa elektroničke pošte"; -"Email invalid" = "Neispravna adresa elektroničke pošte"; -"Could not fetch FAQs" = "Nije bilo moguće dohvatiti često postavljana pitanja"; -"Thanks for rating us." = "Hvala vam na ocjeni."; -"Download" = "Preuzmi"; -"Please enter a valid email" = "Upišite ispravnu adresu elektroničke pošte"; -"Message" = "Poruka"; -"or" = "ili"; -"Decline" = "Odbij"; -"No" = "Ne"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Snimka zaslona nije poslana. Slika je prevelika. Pokušajte poslati drugu sliku"; -"Hated it" = "Ne sviđa mi se"; -"Stars" = "Zvjezdice"; -"Your feedback has been received." = "Vaše su povratne informacije primljene."; -"Dislike" = "Ne sviđa mi se"; -"Preview" = "Pregled"; -"Book Now" = "Zakaži sada"; -"START A NEW CONVERSATION" = "ZAPOČNI NOVI RAZGOVOR"; -"Your Rating" = "Vaša ocjena"; -"No Internet!" = "Nema internetske veze!"; -"Invalid Entry" = "Neispravan unos"; -"Loved it" = "Sviđa mi se"; -"Review on the App Store" = "Ocijenite u trgovini App Store"; -"Open Help" = "Otvori pomoć"; -"Search" = "Traži"; -"Tap here if you found this FAQ helpful" = "Ovdje dodirnite ako vam je ovo Često postavljeno pitanje bilo korisno"; -"Star" = "Zvjezdica"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Ovdje dodirnite ako vam je ovaj odgovor bio koristan"; -"Report a problem" = "Prijavi problem"; -"YES, THANKS!" = "DA, HVALA"; -"Was this helpful?" = "Je li vam ovo objašnjenje bilo korisno?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Vaša poruka nije poslana. Dodirnite \"Pokušajte ponovno\" kako biste poslali poruku?"; -"Suggestions" = "Prijedlozi"; -"No FAQs found" = "Nijedno često postavljano pitanje nije pronađeno"; -"Done" = "Završeno"; -"Opening Gallery..." = "Otvaranje galerije..."; -"You rated the service with" = "Ocijenili ste uslugu s"; -"Cancel" = "Odustani"; -"Loading..." = "Učitavanje..."; -"Read FAQs" = "Pročitaj Često postavljana pitanja"; -"Thanks for messaging us!" = "Hvala vam na slanju poruke!"; -"Try Again" = "Pokušajte ponovno"; -"Send Feedback" = "Pošalji povratne informacije"; -"Your Name" = "Vaše ime"; -"Please provide a name." = "Upišite drugo ime."; -"FAQ" = "Često postavljana pitanja"; -"Describe your problem" = "Opišite svoj problem"; -"How can we help?" = "Kako vam možemo pomoći?"; -"Help about" = "Pomoć za"; -"We could not fetch the required data" = "Nismo mogli dohvatiti tražene podatke"; -"Name" = "Ime"; -"Sending failed!" = "Neuspješno slanje!"; -"You didn't find this helpful." = "Ovo objašnjenje nije mi bilo korisno."; -"Attach a screenshot of your problem" = "Priložite snimku zaslona problema"; -"Mark as read" = "Označi kao pročitano"; -"Name invalid" = "Neispravno ime"; -"Yes" = "Da"; -"What's on your mind?" = "O čemu razmišljate?"; -"Send a new message" = "Pošalji novu poruku"; -"Questions that may already have your answer" = "Vaša pitanja koja su možda već odgovorena"; -"Attach a photo" = "Priloži fotografiju"; -"Accept" = "Prihvati"; -"Your reply" = "Vaš odgovor"; -"Inbox" = "Ulazni pretinac"; -"Remove attachment" = "Ukloni prilog"; -"Could not fetch message" = "Nije bilo moguće dohvatiti poruku"; -"Read FAQ" = "Pročitaj Često postavljeno pitanje"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Ispričavamo se! Ovaj je razgovor završen zbog neaktivnosti. Započnite novi razgovor s našim agentima."; -"%d new messages from Support" = "Broj novih poruka od službe za podršku: %d"; -"Ok, Attach" = "U redu, priloži"; -"Send" = "Pošalji"; -"Screenshot size should not exceed %.2f MB" = "Veličina snimke zaslona ne smije biti veća od %.2f MB"; -"Information" = "Informacije"; -"Issue ID" = "Izdaj identifikacijsku oznaku"; -"Tap to copy" = "Dodirni za kopiranje"; -"Copied!" = "Kopiraj"; -"We couldn't find an FAQ with matching ID" = "Nismo pronašli Često postavljano pitanje s pripadajućom identifikacijskom oznakom"; -"Failed to load screenshot" = "Neuspješno učitavanje snimke zaslona"; -"Failed to load video" = "Neuspješno učitavanje videozapisa"; -"Failed to load image" = "Neuspješno učitavanje slike"; -"Hold down your device's power and home buttons at the same time." = "Istodobno pritisnite gumb za uključivanje / isključivanje te gumb HOME na svojem uređaju."; -"Please note that a few devices may have the power button on the top." = "Napominjemo vam da neki uređaji imaju gumb za uključivanje/isključivanje na gornjem dijelu uređaja."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Nakon što obavite navedenu radnju, vratite se na razgovor i dodirnite „U redu, priloži” kako biste je priložili."; -"Okay" = "U redu"; -"We couldn't find an FAQ section with matching ID" = "Nismo pronašli odjeljak Često postavljano pitanje s pripadajućom identifikacijskom oznakom"; - -"GIFs are not supported" = "GIF-ovi nisu podržani"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hu.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hu.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index d8c43d6594cb..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/hu.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Nem találja, amit keresett?"; -"Rate App" = "Alkalmazás értékelése"; -"We\'re happy to help you!" = "Nagyon szívesen segítünk!"; -"Did we answer all your questions?" = "Minden kérdését megválaszoltuk?"; -"Remind Later" = "Emlékeztessen később"; -"Your message has been received." = "Az üzenetét megkaptuk."; -"Message send failure." = "Üzenetküldési hiba."; -"What\'s your feedback about our customer support?" = "Mi a véleménye az ügyfélszolgálatunkról?"; -"Take a screenshot on your iPhone" = "Készítsen képernyőfotót az iPhone-ján"; -"Learn how" = "Ismerje meg, hogyan"; -"Take a screenshot on your iPad" = "Készítsen képernyőfotót az iPad-jén"; -"Your email(optional)" = "Az Ön e-mail címe (opcionális)"; -"Conversation" = "Beszélgetés"; -"View Now" = "Megtekintés"; -"SEND ANYWAY" = "KÜLDÉS MINDENKÉPPEN"; -"OK" = "OK"; -"Help" = "Súgó"; -"Send message" = "Üzenet küldése"; -"REVIEW" = "VÉLEMÉNY"; -"Share" = "Megosztás"; -"Close Help" = "Súgó bezárása"; -"Sending your message..." = "Üzenet elküldése..."; -"Learn how to" = "Ismerje meg, hogyan"; -"No FAQs found in this section" = "Nem található GYIK ebben a részben"; -"Thanks for contacting us." = "Köszönjük, hogy hozzánk fordult."; -"Chat Now" = "Csevegés"; -"Buy Now" = "Vásárlás"; -"New Conversation" = "Új beszélgetés"; -"Please check your network connection and try again." = "Ellenőrizze a hálózati kapcsolatát, és próbálja újra."; -"New message from Support" = "Új üzenet az Ügyfélszolgálattól"; -"Question" = "Kérdés"; -"Type in a new message" = "Írjon be új üzenetet"; -"Email (optional)" = "E-mail cím (opcionális)"; -"Reply" = "Válasz"; -"CONTACT US" = "KAPCSOLAT"; -"Email" = "E-mail cím"; -"Like" = "Tetszik"; -"Tap here if this FAQ was not helpful to you" = "Itt érintse meg a kijelzőt, ha nem találta hasznosnak ezt a gyakori kérdést és választ"; -"Any other feedback? (optional)" = "Van további visszajelzése? (opcionális)"; -"You found this helpful." = "Hasznosnak találta."; -"No working Internet connection is found." = "Nincs működő internetkapcsolat."; -"No messages found." = "Nem található üzenet."; -"Please enter a brief description of the issue you are facing." = "Kérjük, adjon rövid leírást a felmerült problémáról."; -"Shop Now" = "Vásárlás"; -"Close Section" = "Rész bezárása"; -"Close FAQ" = "GYIK bezárása"; -"Close" = "Bezárás"; -"This conversation has ended." = "A beszélgetés befejeződött."; -"Send it anyway" = "Küldés mindenképpen"; -"You accepted review request." = "Ön elfogadta a véleményezési kérést."; -"Delete" = "Törlés"; -"What else can we help you with?" = "Segíthetünk valami másban is?"; -"Tap here if the answer was not helpful to you" = "Itt érintse meg a kijelzőt, ha nem találta hasznosnak a választ"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Sajnálattal halljuk. Tudna esetleg több információt adni a felmerült problémáról?"; -"Service Rating" = "Szolgáltatás értékelése"; -"Your email" = "Az Ön e-mail címe"; -"Email invalid" = "Érvénytelen e-mail cím"; -"Could not fetch FAQs" = "GYIK-ek lekérése sikertelen"; -"Thanks for rating us." = "Köszönjük, hogy értékelte alkalmazásunkat."; -"Download" = "Letöltés"; -"Please enter a valid email" = "Kérjük, érvényes e-mail címet adjon meg"; -"Message" = "Üzenet"; -"or" = "vagy"; -"Decline" = "Elutasítás"; -"No" = "Nem"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Képernyőfotó küldése sikertelen. A kép túl nagy, próbálja újra egy másik képpel"; -"Hated it" = "Nem tetszett"; -"Stars" = "Csillag"; -"Your feedback has been received." = "A visszajelzését megkaptuk."; -"Dislike" = "Nem tetszik"; -"Preview" = "Előnézet"; -"Book Now" = "Foglalás"; -"START A NEW CONVERSATION" = "ÚJ BESZÉLGETÉS INDÍTÁSA"; -"Your Rating" = "Az Ön értékelése"; -"No Internet!" = "Nincs internet!"; -"Invalid Entry" = "Érvénytelen megadott adat"; -"Loved it" = "Tetszett"; -"Review on the App Store" = "Véleményezhet az App Store oldalon"; -"Open Help" = "Súgó megnyitása"; -"Search" = "Keresés"; -"Tap here if you found this FAQ helpful" = "Itt érintse meg a kijelzőt, ha hasznosnak találta ezt a gyakori kérdést és választ"; -"Star" = "Csillag"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Itt érintse meg a kijelzőt, ha hasznosnak találta a választ"; -"Report a problem" = "Probléma jelentése"; -"YES, THANKS!" = "IGEN, KÖSZÖNÖM!"; -"Was this helpful?" = "Hasznos volt a válasz?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Üzenetét nem sikerült elküldeni. Koppintson az \"Újrapróbálkozás\" gombra, hogy elküldje az üzenetet?"; -"Suggestions" = "Javaslatok"; -"No FAQs found" = "Nem található GYIK"; -"Done" = "Kész"; -"Opening Gallery..." = "Fotók megnyitása..."; -"You rated the service with" = "A szolgáltatást az alábbi módon értékelte:"; -"Cancel" = "Mégsem"; -"Loading..." = "Betöltés..."; -"Read FAQs" = "GYIK olvasása"; -"Thanks for messaging us!" = "Köszönjük az üzenetét!"; -"Try Again" = "Újrapróbálkozás"; -"Send Feedback" = "Visszajelzés küldése"; -"Your Name" = "Az Ön neve"; -"Please provide a name." = "Kérjük, adjon meg egy nevet."; -"FAQ" = "GYIK"; -"Describe your problem" = "Írja le a problémát"; -"How can we help?" = "Miben segíthetünk?"; -"Help about" = "Súgó erről"; -"We could not fetch the required data" = "Nem tudtuk lekérni a szükséges adatokat"; -"Name" = "Név"; -"Sending failed!" = "Küldés sikertelen!"; -"You didn't find this helpful." = "Ön nem találta hasznosnak ezt."; -"Attach a screenshot of your problem" = "Képernyőfotó csatolása a problémáról"; -"Mark as read" = "Megjelölés olvasottként"; -"Name invalid" = "Érvénytelen név"; -"Yes" = "Igen"; -"What's on your mind?" = "Mi jár a fejében?"; -"Send a new message" = "Új üzenet küldése"; -"Questions that may already have your answer" = "Kérdések, amelyekben megtalálhatja a keresett választ"; -"Attach a photo" = "Fotó csatolása"; -"Accept" = "Elfogadás"; -"Your reply" = "Az Ön válasza"; -"Inbox" = "Beérkezett üzenetek"; -"Remove attachment" = "Melléklet eltávolítása"; -"Could not fetch message" = "Üzenet lekérése sikertelen"; -"Read FAQ" = "GYIK olvasása"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Sajnáljuk, de ezt a beszélgetést tevékenység hiánya miatt lezártuk. Kérjük, kezdjen új beszélgetést ügynökeinkkel."; -"%d new messages from Support" = "%d új üzenet az Ügyfélszolgálattól"; -"Ok, Attach" = "OK, csatolás"; -"Send" = "Küldés"; -"Screenshot size should not exceed %.2f MB" = "A képernyőfotó maximális mérete %.2f MB"; -"Information" = "Információ"; -"Issue ID" = "Probléma azonosítója"; -"Tap to copy" = "Koppintson a másoláshoz"; -"Copied!" = "Másolva"; -"We couldn't find an FAQ with matching ID" = "Nem találtunk egyező azonosítójú GYIK-et."; -"Failed to load screenshot" = "Képernyőfotó betöltése sikertelen"; -"Failed to load video" = "Videó betöltése sikertelen"; -"Failed to load image" = "Kép betöltése sikertelen"; -"Hold down your device's power and home buttons at the same time." = "Képernyőfotó készítéséhez nyomja le hosszan egyszerre a be-/kikapcsoló gombot és a főgombot az eszközén."; -"Please note that a few devices may have the power button on the top." = "Egyes eszközök esetén a be-/kikapcsoló gomb az eszköz tetején található."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Ezt követően lépjen vissza ebbe a beszélgetésbe, és érintse meg az „OK, csatolás” lehetőséget a csatoláshoz."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Nem találtunk egyező azonosítójú GYIK-részt."; - -"GIFs are not supported" = "A GIF-ek nem támogatottak"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/id.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/id.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 3ae1c812f610..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/id.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Tidak menemukan hal yang Anda cari?"; -"Rate App" = "Beri Nilai Apli"; -"We\'re happy to help you!" = "Kami senang membantu Anda!"; -"Did we answer all your questions?" = "Apakah kami menjawab semua pertanyaan Anda?"; -"Remind Later" = "Ingatkan Nanti"; -"Your message has been received." = "Pesan Anda telah diterima."; -"Message send failure." = "Pengiriman pesan gagal."; -"What\'s your feedback about our customer support?" = "Apa tanggapan Anda mengenai dukungan pelanggan kami?"; -"Take a screenshot on your iPhone" = "Ambil tangkapan layar di iPhone Anda"; -"Learn how" = "Pelajari caranya"; -"Take a screenshot on your iPad" = "Ambil tangkapan layar di iPad Anda"; -"Your email(optional)" = "Email Anda (opsional)"; -"Conversation" = "Percakapan"; -"View Now" = "Lihat Sekarang"; -"SEND ANYWAY" = "KIRIM SAJA"; -"OK" = "Oke"; -"Help" = "Bantuan"; -"Send message" = "Kirim pesan"; -"REVIEW" = "ULAS"; -"Share" = "Bagikan"; -"Close Help" = "Tutup Bantuan"; -"Sending your message..." = "Mengirim pesan Anda..."; -"Learn how to" = "Pelajari caranya"; -"No FAQs found in this section" = "Tidak ada FAQ di bagian ini"; -"Thanks for contacting us." = "Terima kasih telah menghubungi kami."; -"Chat Now" = "Mengobrol Sekarang"; -"Buy Now" = "Beli Sekarang"; -"New Conversation" = "Percakapan Baru"; -"Please check your network connection and try again." = "Periksa koneksi jaringan Anda, lalu coba lagi"; -"New message from Support" = "Pesan baru dari Dukungan"; -"Question" = "Pertanyaan"; -"Type in a new message" = "Ketikkan pesan baru"; -"Email (optional)" = "Email (opsional)"; -"Reply" = "Balas"; -"CONTACT US" = "HUBUNGI KAMI"; -"Email" = "Email"; -"Like" = "Suka"; -"Tap here if this FAQ was not helpful to you" = "Ketuk di sini jika FAQ ini tidak membantu bagi Anda"; -"Any other feedback? (optional)" = "Ada tanggapan lain? (opsional)"; -"You found this helpful." = "Menurut Anda ini membantu."; -"No working Internet connection is found." = "Tidak ditemukan koneksi internet yang berfungsi."; -"No messages found." = "Pesan tidak ditemukan."; -"Please enter a brief description of the issue you are facing." = "Ketikkan keterangan singkat tentang masalah yang Anda hadapi."; -"Shop Now" = "Belanja Sekarang"; -"Close Section" = "Tutup Bagian"; -"Close FAQ" = "Tutup FAQ"; -"Close" = "Tutup"; -"This conversation has ended." = "Percakapan ini telah berakhir."; -"Send it anyway" = "Kirim saja"; -"You accepted review request." = "Anda menerima permintaan ulasan."; -"Delete" = "Hapus"; -"What else can we help you with?" = "Ada lagi yang bisa kami bantu?"; -"Tap here if the answer was not helpful to you" = "Ketuk di sini jika jawabannya tidak membantu bagi Anda"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Kami turut menyesali hal tersebut. Berkenankah Anda menguraikan lebih jauh mengenai masalah yang Anda hadapi?"; -"Service Rating" = "Nilai Layanan"; -"Your email" = "Email Anda"; -"Email invalid" = "Email tidak sah"; -"Could not fetch FAQs" = "Tidak dapat mengambil FAQ"; -"Thanks for rating us." = "Terima kasih telah memberi nilai."; -"Download" = "Unduh"; -"Please enter a valid email" = "Masukkan alamat email yang sah"; -"Message" = "Pesan"; -"or" = "atau"; -"Decline" = "Tolak"; -"No" = "Tidak"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Tangkapan layar tidak dapat dikirim. Gambar terlalu besar, coba lagi dengan gambar lain"; -"Hated it" = "Tidak suka"; -"Stars" = "Bintang"; -"Your feedback has been received." = "Tanggapan Anda telah diterima."; -"Dislike" = "Tidak Suka"; -"Preview" = "Pratinjau"; -"Book Now" = "Pesan Sekarang"; -"START A NEW CONVERSATION" = "MULAI PERCAKAPAN BARU"; -"Your Rating" = "Nilai Anda"; -"No Internet!" = "Tidak ada internet!"; -"Invalid Entry" = "Entri Tidak Sah"; -"Loved it" = "Suka"; -"Review on the App Store" = "Ulas di App Store"; -"Open Help" = "Buka Bantuan"; -"Search" = "Cari"; -"Tap here if you found this FAQ helpful" = "Ketuk di sini jika menurut Anda FAQ ini membantu"; -"Star" = "Bintang"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Ketuk di sini jika menurut Anda jawaban ini membantu"; -"Report a problem" = "Laporkan masalah"; -"YES, THANKS!" = "YA, TERIMA KASIH!"; -"Was this helpful?" = "Apakah ini membantu?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Pesan Anda tidak terkirim.Ketuk \"Coba Lagi\" untuk mengirim pesan ini?"; -"Suggestions" = "Saran"; -"No FAQs found" = "FAQ tidak ditemukan"; -"Done" = "Selesai"; -"Opening Gallery..." = "Membuka Galeri..."; -"You rated the service with" = "Anda memberi nilai layanan ini dengan"; -"Cancel" = "Batal"; -"Loading..." = "Memuat..."; -"Read FAQs" = "Baca FAQ"; -"Thanks for messaging us!" = "Terima kasih telah mengirim pesan kepada kami!"; -"Try Again" = "Coba Lagi"; -"Send Feedback" = "Kirim Masukan"; -"Your Name" = "Nama Anda"; -"Please provide a name." = "Mohon berikan nama."; -"FAQ" = "FAQ"; -"Describe your problem" = "Jelaskan masalah Anda"; -"How can we help?" = "Ada yang bisa kami bantu?"; -"Help about" = "Bantuan tentang"; -"We could not fetch the required data" = "Kami tidak dapat mengambil data yang diperlukan"; -"Name" = "Nama"; -"Sending failed!" = "Gagal mengirim!"; -"You didn't find this helpful." = "Menurut Anda, ini tidak membantu."; -"Attach a screenshot of your problem" = "Lampirkan tangkapan layar dari masalah Anda"; -"Mark as read" = "Tandai sudah dibaca"; -"Name invalid" = "Nama tidak sah"; -"Yes" = "Ya"; -"What's on your mind?" = "Apa yang ingin Anda sampaikan?"; -"Send a new message" = "Kirim pesan baru"; -"Questions that may already have your answer" = "Pertanyaan yang mungkin mengandung jawaban yang Anda perlukan"; -"Attach a photo" = "Lampirkan foto"; -"Accept" = "Terima"; -"Your reply" = "Balasan Anda"; -"Inbox" = "Kotak Masuk"; -"Remove attachment" = "Hapus lampiran"; -"Could not fetch message" = "Tidak dapat mengambil pesan"; -"Read FAQ" = "Baca FAQ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Maaf, percakapan ini ditutup karena tidak aktif. Mulailah percakapan baru dengan agen kami."; -"%d new messages from Support" = "%d pesan baru dari Dukungan"; -"Ok, Attach" = "Oke, Lampirkan"; -"Send" = "Kirim"; -"Screenshot size should not exceed %.2f MB" = "Ukuran cuplikan layar tidak boleh melebihi %.2f MB"; -"Information" = "Informasi"; -"Issue ID" = "ID Masalah"; -"Tap to copy" = "Ketuk untuk menyalin"; -"Copied!" = "Disalin!"; -"We couldn't find an FAQ with matching ID" = "Kami tidak bisa menemukan Pertanyaan Umum dengan ID yang sesuai"; -"Failed to load screenshot" = "Gagal memuat gambar layar"; -"Failed to load video" = "Gagal memuat video"; -"Failed to load image" = "Gagal memuat gambar"; -"Hold down your device's power and home buttons at the same time." = "Tahan serentak tombol daya dan tombol home di perangkat Anda."; -"Please note that a few devices may have the power button on the top." = "Perhatikan bahwa pada segelintir perangkat, tombol daya mungkin ada di atas."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Setelah rampung, kembalilah ke percakapan ini dan ketuk \"Oke, lampirkan\" untuk melampirkannya."; -"Okay" = "Oke"; -"We couldn't find an FAQ section with matching ID" = "Kami tidak dapat menemukan bagian Tanya-Jawab dengan ID yang sesuai"; - -"GIFs are not supported" = "GIF tidak didukung"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/it.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/it.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index ca201a1e9568..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/it.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,150 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Non hai trovato quello che cercavi?"; -"Rate App" = "Valuta l\'app"; -"We\'re happy to help you!" = "Siamo felici di aiutarti!"; -"Did we answer all your questions?" = "Abbiamo risposto a tutte le tue domande?"; -"Remind Later" = "Ricordamelo più tardi"; -"Your message has been received." = "Il tuo messaggio è stato ricevuto."; -"Message send failure." = "Invio del messaggio non riuscito."; -"What\'s your feedback about our customer support?" = "Qual è la tua opinione sull'assistenza ai clienti?"; -"Take a screenshot on your iPhone" = "Scatta un'istantanea dello schermo sul tuo iPhone."; -"Learn how" = "Impara ora"; -"Take a screenshot on your iPad" = "Scatta un'istantanea dello schermo sul tuo iPad."; -"Your email(optional)" = "Il tuo indirizzo e-mail (facoltativo)"; -"Conversation" = "Conversazione"; -"View Now" = "Visualizza ora"; -"SEND ANYWAY" = "INVIA COMUNQUE"; -"OK" = "OK"; -"Help" = "Aiuto"; -"Send message" = "Invia messaggio"; -"REVIEW" = "RECENSISCI"; -"Share" = "Condividi"; -"Close Help" = "Chiudi Aiuto"; -"Sending your message..." = "Invio del messaggio..."; -"Learn how to" = "Impara a"; -"No FAQs found in this section" = "Nessuna domanda frequente trovata in questa sezione."; -"Thanks for contacting us." = "Grazie per averci contattato."; -"Chat Now" = "Entra in chat"; -"Buy Now" = "Compra ora"; -"New Conversation" = "Nuova conversazione"; -"Please check your network connection and try again." = "Controlla la tua connessione di rete e riprova."; -"New message from Support" = "Nuovo messaggio dall'assistenza"; -"Question" = "Domanda"; -"Type in a new message" = "Digita un nuovo messaggio"; -"Email (optional)" = "E-mail (optional)"; -"Reply" = "Rispondi"; -"CONTACT US" = "CONTATTACI"; -"Email" = "E-mail"; -"Like" = "Mi piace"; -"Tap here if this FAQ was not helpful to you" = "Tocca qui se questa domanda frequente non ti è stata utile"; -"Any other feedback? (optional)" = "Altri commenti? (optional)"; -"You found this helpful." = "Ti è stato utile."; -"No working Internet connection is found." = "Non è stata rilevata una connessione Internet."; -"No messages found." = "Nessun messaggio trovato."; -"Please enter a brief description of the issue you are facing." = "Inserisci una breve descrizione del problema che hai incontrato."; -"Shop Now" = "Vai al negozio"; -"Close Section" = "Chiudi sezione"; -"Close FAQ" = "Chiudi Domande frequenti"; -"Close" = "Chiudi"; -"This conversation has ended." = "Questa conversazione è terminata."; -"Send it anyway" = "Invia comunque"; -"You accepted review request." = "Richiesta di recensione accettata."; -"Delete" = "Elimina"; -"What else can we help you with?" = "Cos'altro possiamo fare per te?"; -"Tap here if the answer was not helpful to you" = "Tocca qui se la risposta non ti è stata utile"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Ci dispiace. Potresti darci qualche altra informazione sul problema che hai riscontrato?"; -"Service Rating" = "Valutazione del servizio"; -"Your email" = "Il tuo indirizzo e-mail"; -"Email invalid" = "E-mail non valida."; -"Could not fetch FAQs" = "Impossibile trovare domande frequenti."; -"Thanks for rating us." = "Grazie per averci valutato."; -"Download" = "Scarica"; -"Please enter a valid email" = "Inserisci un indirizzo e-mail valido"; -"Message" = "Messaggio"; -"or" = "o"; -"Decline" = "Rifiuta"; -"No" = "No"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Impossibile inviare l'istantanea dello schermo. L'immagine è troppo grande; riprova con un'altra immagine."; -"Hated it" = "Non mi è piaciuto"; -"Stars" = "Stelle"; -"Your feedback has been received." = "La tua opinione è stata ricevuta."; -"Dislike" = "Non mi piace"; -"Preview" = "Anteprima"; -"Book Now" = "Prenota ora"; -"START A NEW CONVERSATION" = "INIZIA UNA NUOVA CONVERSAZIONE"; -"Your Rating" = "La tua valutazione"; -"No Internet!" = "Niente Internet!"; -"Invalid Entry" = "Voce non valida."; -"Loved it" = "Mi è piaciuto"; -"Review on the App Store" = "Valuta nell\'App Store"; -"Open Help" = "Apri Aiuto"; -"Search" = "Cerca"; -"Tap here if you found this FAQ helpful" = "Tocca qui se questa domanda frequente ti è stata utile"; -"Star" = "Stella"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tocca qui se la risposta ti è stata utile"; -"Report a problem" = "Segnala un problema"; -"YES, THANKS!" = "SÌ GRAZIE!"; -"Was this helpful?" = "Ti è stato utile?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Il tuo messaggio non è stato inviato. Tocca \"Riprova\" per inviare questo messaggio?"; -"Suggestions" = "Suggerimenti"; -"No FAQs found" = "Nessuna domanda frequente trovata"; -"Done" = "Fatto"; -"Opening Gallery..." = "Apri Foto..."; -"You rated the service with" = "Hai valutato il servizio con"; -"Cancel" = "Cancella"; -"Loading..." = "Caricamento..."; -"Read FAQs" = "Leggi le Domande frequenti"; -"Thanks for messaging us!" = "Grazie per il tuo messaggio!"; -"Try Again" = "Riprova"; -"Send Feedback" = "Invia opinione"; -"Your Name" = "Il tuo nome"; -"Please provide a name." = "Inserisci un nome."; -"FAQ" = "Domande frequenti"; -"Describe your problem" = "Descrivi il tuo problema."; -"How can we help?" = "Come possiamo aiutarti?"; -"Help about" = "Aiuto su"; -"We could not fetch the required data" = "Non abbiamo trovato i dati richiesti."; -"Name" = "Nome"; -"Sending failed!" = "Invio non riuscito!"; -"You didn't find this helpful." = "Non ti è stato utile."; -"Attach a screenshot of your problem" = "Allega uno screenshot del tuo problema"; -"Mark as read" = "Segna come già letto"; -"Name invalid" = "Nome non valido"; -"Yes" = "Sì"; -"What's on your mind?" = "A cosa stai pensando?"; -"Send a new message" = "Invia un nuovo messaggio"; -"Questions that may already have your answer" = "Domande che potrebbero contenere la risposta che ti serve."; -"Attach a photo" = "Allega una foto"; -"Accept" = "Accetta"; -"Your reply" = "La tua risposta"; -"Inbox" = "In arrivo"; -"Remove attachment" = "Rimuovi allegato"; -"Could not fetch message" = "Impossibile recuperare il messaggio"; -"Read FAQ" = "Leggi la Domanda frequente"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Siamo spiacenti. Questa conversazione è stata chiusa per inattività. Avvia una nuova conversazione con i nostri agenti."; -"%d new messages from Support" = "%d nuovi messaggi dal servizio di assistenza"; -"Ok, Attach" = "OK, allega"; -"Send" = "Invia"; -"Screenshot size should not exceed %.2f MB" = "La dimensione degli screenshot non può superare i %.2f MB"; -"Information" = "Informazioni"; -"Issue ID" = "ID problema"; -"Tap to copy" = "Tocca per copiare"; -"Copied!" = "Copiato!"; -"We couldn't find an FAQ with matching ID" = "Impossibile trovare una domanda frequente con l'ID corrispondente."; -"Failed to load screenshot" = "Impossibile caricare l'istantanea."; -"Failed to load video" = "Impossibile caricare il video."; -"Failed to load image" = "Impossibile caricare l'immagine."; -"Hold down your device's power and home buttons at the same time." = "Tieni premuti contemporaneamente il tasto Standby/Riattiva e il tasto Home del tuo dispositivo."; -"Please note that a few devices may have the power button on the top." = "Nota: su alcuni dispositivi, il tasto Standby/Riattiva potrebbe trovarsi nella parte superiore."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Una volta fatto, torna a questa conversazione e tocca \"OK, allega\" per allegare l'istantanea."; -"Okay" = "OK"; - -"We couldn't find an FAQ section with matching ID" = "Impossibile trovare una sezione Domande frequenti con l'ID corrispondente."; - -"GIFs are not supported" = "I GIF non sono supportati"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ja.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ja.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 4a2f371f7080..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ja.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "問題の解決方法が見つかりませんか?"; -"Rate App" = "アプリを評価"; -"We\'re happy to help you!" = "真摯に受け止め対応させていただきます。"; -"Did we answer all your questions?" = "カスタマーサポートは全ての質問に回答しましたか?"; -"Remind Later" = "後で知らせる"; -"Your message has been received." = "メッセージを受領いたしました。"; -"Message send failure." = "メッセージを送信できませんでした。"; -"What\'s your feedback about our customer support?" = "カスタマーサポートへのご意見・ご要望をお聞かせください。"; -"Take a screenshot on your iPhone" = "iPhone でスクリーンショットを撮影してください"; -"Learn how" = "方法を確認"; -"Take a screenshot on your iPad" = "iPad でスクリーンショットを撮影してください"; -"Your email(optional)" = "Eメールアドレス(任意)"; -"Conversation" = "メッセージ"; -"View Now" = "今すぐ見る"; -"SEND ANYWAY" = "送信する"; -"OK" = "OK"; -"Help" = "ヘルプ"; -"Send message" = "メッセージを送信"; -"REVIEW" = "レビュー"; -"Share" = "シェア"; -"Close Help" = "ヘルプを閉じる"; -"Sending your message..." = "メッセージを送信しています…"; -"Learn how to" = "方法を確認:"; -"No FAQs found in this section" = "このカテゴリのFAQはありません"; -"Thanks for contacting us." = "ご連絡いただき誠にありがとうございます。"; -"Chat Now" = "チャットする"; -"Buy Now" = "今すぐ購入"; -"New Conversation" = "新規メッセージ"; -"Please check your network connection and try again." = "ネットワーク接続状況をご確認の上、再度お試しください。"; -"New message from Support" = "サポートからの新規メッセージ"; -"Question" = "質問"; -"Type in a new message" = "新しいメッセージを入力"; -"Email (optional)" = "Eメールアドレス(任意)"; -"Reply" = "返信"; -"CONTACT US" = "お問い合わせ"; -"Email" = "Eメールアドレス"; -"Like" = "いいね"; -"Tap here if this FAQ was not helpful to you" = "このFAQがお役に立たなかった場合は、こちらをタップしてください"; -"Any other feedback? (optional)" = "ご意見・ご要望をお聞かせください。(任意)"; -"You found this helpful." = "役に立った"; -"No working Internet connection is found." = "利用可能なネットワークが見つかりません。"; -"No messages found." = "メッセージが見つかりません。"; -"Please enter a brief description of the issue you are facing." = "発生中の問題の内容をご入力ください。"; -"Shop Now" = "今すぐ購入"; -"Close Section" = "カテゴリを閉じる"; -"Close FAQ" = "FAQを閉じる"; -"Close" = "閉じる"; -"This conversation has ended." = "このメッセージは終了しました。"; -"Send it anyway" = "送信する"; -"You accepted review request." = "レビュー依頼に応じました。"; -"Delete" = "削除"; -"What else can we help you with?" = "他にご要望がございますか?"; -"Tap here if the answer was not helpful to you" = "この回答がお役に立たなかった場合は、こちらをタップしてください"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "ご不便をおかけし申し訳ございません。お手数ですが発生している問題についてもう少し詳しくお聞かせください。"; -"Service Rating" = "サービス内容の評価"; -"Your email" = "Eメールアドレス"; -"Email invalid" = "Eメールアドレスが無効です"; -"Could not fetch FAQs" = "FAQが見つかりませんでした"; -"Thanks for rating us." = "評価いただき。ありがとうございます。"; -"Download" = "ダウンロード"; -"Please enter a valid email" = "有効なEメールアドレスをご入力ください"; -"Message" = "メッセージ"; -"or" = "または"; -"Decline" = "拒否"; -"No" = "いいえ"; -"Screenshot could not be sent. Image is too large, try again with another image" = "スクリーンショットを送信できませんでした。ファイルサイズが大きすぎます。他の画像をご利用ください。"; -"Hated it" = "悪い"; -"Stars" = "つ星"; -"Your feedback has been received." = "フィードバックを受領いたしました。"; -"Dislike" = "いいね を取り消す"; -"Preview" = "プレビュー"; -"Book Now" = "今すぐ予約"; -"START A NEW CONVERSATION" = "新規メッセージを作成"; -"Your Rating" = "あなたの評価"; -"No Internet!" = "インターネット接続なし"; -"Invalid Entry" = "記載内容が不足しています"; -"Loved it" = "良い"; -"Review on the App Store" = "App Store でレビュー"; -"Open Help" = "ヘルプを開く"; -"Search" = "検索"; -"Tap here if you found this FAQ helpful" = "このFAQがお役に立った場合は、こちらをタップしてください"; -"Star" = "つ星"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "この回答がお役に立った場合は、こちらをタップしてください"; -"Report a problem" = "問題を報告"; -"YES, THANKS!" = "はい"; -"Was this helpful?" = "お役に立ちましたか?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "メッセージを送信できませんでした。\"再試行\" をタップするとメッセージを再送します。"; -"Suggestions" = "候補"; -"No FAQs found" = "FAQが見つかりません"; -"Done" = "終了"; -"Opening Gallery..." = "カメラロールを開いています…"; -"You rated the service with" = "としてサービスを評価いただきました"; -"Cancel" = "キャンセル"; -"Loading..." = "ロード中…"; -"Read FAQs" = "FAQを読む"; -"Thanks for messaging us!" = "メッセージをお送りいただき、ありがとうございました。"; -"Try Again" = "再試行"; -"Send Feedback" = "フィードバックを送信"; -"Your Name" = "お名前"; -"Please provide a name." = "お名前をご入力ください"; -"FAQ" = "FAQ"; -"Describe your problem" = "問題の詳細をご説明ください"; -"How can we help?" = "お困りですか?"; -"Help about" = "ヘルプ:"; -"We could not fetch the required data" = "必要なデータを取得できませんでした"; -"Name" = "お名前"; -"Sending failed!" = "送信できませんでした"; -"You didn't find this helpful." = "役に立たなかった"; -"Attach a screenshot of your problem" = "問題の様子を撮影したスクリーンショットを添付"; -"Mark as read" = "既読にする"; -"Name invalid" = "お名前が無効です"; -"Yes" = "はい"; -"What's on your mind?" = "懸念事項をお知らせください。"; -"Send a new message" = "新しいメッセージを送信"; -"Questions that may already have your answer" = "既に回答済みの可能性がございます"; -"Attach a photo" = "写真を添付"; -"Accept" = "承諾"; -"Your reply" = "返信"; -"Inbox" = "受信箱"; -"Remove attachment" = "添付ファイルを削除"; -"Could not fetch message" = "メッセージが見つかりませんでした"; -"Read FAQ" = "FAQを読む"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "メッセージのやり取りがなかったため、この話題は終了した扱いになっています。新規メッセージを作成してください。"; -"%d new messages from Support" = "サポートからの新しいメッセージが%d件あります"; -"Ok, Attach" = "添付する"; -"Send" = "送信"; -"Screenshot size should not exceed %.2f MB" = "スクリーンショットのファイルサイズは%.2fMB以下にしてください"; -"Information" = "情報"; -"Issue ID" = "問題のID"; -"Tap to copy" = "タップしてコピー"; -"Copied!" = "コピー完了"; -"We couldn't find an FAQ with matching ID" = "IDが一致するFAQが見つかりませんでした"; -"Failed to load screenshot" = "スクリーンショットのロードに失敗しました"; -"Failed to load video" = "ビデオのロードに失敗しました"; -"Failed to load image" = "画像のロードに失敗しました"; -"Hold down your device's power and home buttons at the same time." = "デバイス の電源ボタンとホームボタンを同時に押してください。"; -"Please note that a few devices may have the power button on the top." = "一部のデバイスでは、電源ボタンがデバイス上部に設置されている場合があります。"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "スクリーンショットが撮影できたら、このメッセージに戻り「添付する」をタップして添付してください。"; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "IDが一致するFAQのカテゴリが見つかりませんでした"; - -"GIFs are not supported" = "GIFはサポートされていません"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/kn.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/kn.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index e6b35e2b3770..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/kn.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "ನೀವು ಹುಡುಕುತ್ತಿರುವುದು ಸಿಗಲಿಲ್ಲವೇ?"; -"Rate App" = "ಅಪ್ಲಿಕೇಶನ್ ಕುರಿತು ರೇಟ್ ನೀಡಿ"; -"We\'re happy to help you!" = "ನಿಮಗೆ ಸಹಾಯ ಮಾಡಲು ಸಂತೋಷವಾಗುತ್ತಿದೆ!"; -"Did we answer all your questions?" = "ನಾವು ನಿಮ್ಮ ಎಲ್ಲಾ ಪ್ರಶ್ನೆಗಳಿಗೆ ಉತ್ತರಿಸಿದ್ದೇವೆಯೇ?"; -"Remind Later" = "ನಂತರ ನೆನಪಿಸು"; -"Your message has been received." = "ನಿಮ್ಮ ಸಂದೇಶವನ್ನು ಸ್ವೀಕರಿಸಲಾಗಿದೆ."; -"Message send failure." = "ಸಂದೇಶ ಕಳುಹಿಸುವಲ್ಲಿ ವಿಫಲವಾಗಿದೆ."; -"What\'s your feedback about our customer support?" = "ನಮ್ಮ ಗ್ರಾಹಕ ಬೆಂಬಲದ ಕುರಿತು ನಿಮ್ಮ ಪ್ರತಿಕ್ರಿಯೆ ಏನು?"; -"Take a screenshot on your iPhone" = "ನಿಮ್ಮ iPhone ನಲ್ಲಿ ಸ್ಕ್ರೀನ್‌ಶಾಟ್ ತೆಗೆದುಕೊಳ್ಳಿ"; -"Learn how" = "ಇನ್ನಷ್ಟು ತಿಳಿಯಿರಿ"; -"Take a screenshot on your iPad" = "ನಿಮ್ಮ iPad ನಲ್ಲಿ ಸ್ಕ್ರೀನ್‌ಶಾಟ್ ತೆಗೆದುಕೊಳ್ಳಿ"; -"Your email(optional)" = "ನಿಮ್ಮ ಇಮೇಲ್ (ಐಚ್ಛಿಕ)"; -"Conversation" = "ಸಂವಾದ"; -"View Now" = "ಈಗಲೇ ವೀಕ್ಷಿಸು"; -"SEND ANYWAY" = "ಹೇಗಾದರೂ ಕಳುಹಿಸು"; -"OK" = "ಸರಿ"; -"Help" = "ಸಹಾಯ"; -"Send message" = "ಸಂದೇಶ ಕಳುಹಿಸಿ"; -"REVIEW" = "ಪರಿಶೀಲಿಸು"; -"Share" = "ಹಂಚು"; -"Close Help" = "ಸಹಾಯ ಮುಚ್ಚು"; -"Sending your message..." = "ನಿಮ್ಮ ಸಂದೇಶವನ್ನು ಕಳುಹಿಸಲಾಗುತ್ತಿದೆ..."; -"Learn how to" = "ಈ ಕುರಿತು ಇನ್ನಷ್ಟು ತಿಳಿಯಿರಿ"; -"No FAQs found in this section" = "ಈ ವಿಭಾಗದಲ್ಲಿ FAQ ಪ್ರಶ್ನೆಗಳು ಕಂಡುಬರಲಿಲ್ಲ"; -"Thanks for contacting us." = "ನಮ್ಮನ್ನು ಸಂಪರ್ಕಿಸಿದ್ದಕ್ಕೆ ಧನ್ಯವಾದಗಳು."; -"Chat Now" = "ಈಗಲೇ ಚಾಟ್ ಮಾಡು"; -"Buy Now" = "ಈಗಲೇ ಖರೀದಿಸು"; -"New Conversation" = "ಹೊಸ ಸಂವಾದ"; -"Please check your network connection and try again." = "ದಯವಿಟ್ಟು ನಿಮ್ಮ ಇಂಟರ್ನೆಟ್ ಸಂಪರ್ಕವನ್ನು ಪರಿಶೀಲಿಸಿ ಹಾಗೂ ಮತ್ತೊಮ್ಮೆ ಪ್ರಯತ್ನಿಸಿ."; -"New message from Support" = "ಬೆಂಬಲ ತಂಡದಿಂದ ಹೊಸ ಸಂದೇಶ"; -"Question" = "ಪ್ರಶ್ನೆ"; -"Type in a new message" = "ಹೊಸ ಸಂದೇಶ ಟೈಪ್ ಮಾಡಿ"; -"Email (optional)" = "ಇಮೇಲ್ (ಐಚ್ಛಿಕ)"; -"Reply" = "ಪ್ರತ್ಯುತ್ತರಿಸು"; -"CONTACT US" = "ನಮ್ಮನ್ನು ಸಂಪರ್ಕಿಸಿ"; -"Email" = "ಇಮೇಲ್"; -"Like" = "ಮೆಚ್ಚು"; -"Tap here if this FAQ was not helpful to you" = "ಈ FAQ ನಿಮಗೆ ಉಪಯುಕ್ತವೆನಿಸದಿದ್ದಲ್ಲಿ ಇಲ್ಲಿ ಟ್ಯಾಪ್ ಮಾಡಿ"; -"Any other feedback? (optional)" = "ಬೇರೆ ಯಾವುದಾದರೂ ಪ್ರತಿಕ್ರಿಯೆ ಇದೆಯೇ? (ಐಚ್ಛಿಕ)"; -"You found this helpful." = "ಇದು ನಿಮಗೆ ಉಪಯುಕ್ತವಾಗಿರುವಂತಿದೆ."; -"No working Internet connection is found." = "ಸಕ್ರಿಯ ಇಂಟರ್ನೆಟ್ ಸಂಪರ್ಕ ಕಂಡುಬಂದಿಲ್ಲ."; -"No messages found." = "ಸಂದೇಶಗಳು ಕಂಡುಬಂದಿಲ್ಲ."; -"Please enter a brief description of the issue you are facing." = "ನೀವು ಎದುರಿಸುತ್ತಿರುವ ಸಮಸ್ಯೆಯ ಕುರಿತು ಸಂಕ್ಷಿಪ್ತ ವಿವರಣೆಯನ್ನು ನೀಡಿ."; -"Shop Now" = "ಈಗಲೇ ಶಾಪ್ ಮಾಡಿ"; -"Close Section" = "ವಿಭಾಗ ಮುಚ್ಚು"; -"Close FAQ" = "FAQ ಮುಚ್ಚು"; -"Close" = "ಮುಚ್ಚು"; -"This conversation has ended." = "ಈ ಸಂವಾದ ಅಂತ್ಯಗೊಂಡಿದೆ."; -"Send it anyway" = "ಹೇಗಾದರೂ ಕಳುಹಿಸು"; -"You accepted review request." = "ನೀವು ಅಭಿಪ್ರಾಯ ತಿಳಿಸುವ ವಿನಂತಿಗೆ ಸಮ್ಮತಿಸಿರುವಿರಿ."; -"Delete" = "ಅಳಿಸು"; -"What else can we help you with?" = "ನಿಮಗೆ ಬೇರೇನಾದರೂ ಸಹಾಯ ಬೇಕೇ?"; -"Tap here if the answer was not helpful to you" = "ಉತ್ತರವು ನಿಮಗೆ ಉಪಯುಕ್ತವೆನಿಸದಿದ್ದಲ್ಲಿ ಇಲ್ಲಿ ಟ್ಯಾಪ್ ಮಾಡಿ"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "ಕೇಳಲು ಬೇಸರವಾಗುತ್ತಿದೆ. ನೀವು ಎದುರಿಸುತ್ತಿರುವ ಸಮಸ್ಯೆಯ ಕುರಿತು ನಮಗೆ ಇನ್ನೂ ಸ್ವಲ್ಪ ಮಾಹಿತಿಯನ್ನು ನೀಡುವಿರಾ?"; -"Service Rating" = "ಸೇವೆ ರೇಟಿಂಗ್"; -"Your email" = "ನಿಮ್ಮ ಇಮೇಲ್"; -"Email invalid" = "ಇಮೇಲ್ ಅಮಾನ್ಯವಾಗಿದೆ"; -"Could not fetch FAQs" = "ಪದೇ ಪದೇ ಕೇಳಿರುವ ಪ್ರಶ್ನೆಗಳನ್ನು ಹಿಂಪಡೆಯಲಾಗಲಿಲ್ಲ"; -"Thanks for rating us." = "ನಮಗೆ ರೇಟಿಂಗ್ ನೀಡಿದ್ದಕ್ಕೆ ಧನ್ಯವಾದಗಳು."; -"Download" = "ಡೌನ್‌ಲೋಡ್"; -"Please enter a valid email" = "ಮಾನ್ಯ ಇಮೇಲ್ ಐಡಿ ನಮೂದಿಸಿ"; -"Message" = "ಸಂದೇಶ"; -"or" = "ಅಥವಾ"; -"Decline" = "ನಿರಾಕರಿಸು"; -"No" = "ಇಲ್ಲ"; -"Screenshot could not be sent. Image is too large, try again with another image" = "ಸ್ಕ್ರೀನ್‌ಶಾಟ್ ಕಳುಹಿಸಲಾಗುತ್ತಿಲ್ಲ. ಚಿತ್ರ ತುಂಬಾ ದೊಡ್ಡದಾಗಿದೆ, ಬೇರೊಂದು ಚಿತ್ರವನ್ನು ಕಳುಹಿಸಲು ಪ್ರಯತ್ನಿಸಿ"; -"Hated it" = "ಇಷ್ಟವಾಗಲಿಲ್ಲ"; -"Stars" = "ಸ್ಟಾರ್‌ಗಳು"; -"Your feedback has been received." = "ನಿಮ್ಮ ಪ್ರತಿಕ್ರಿಯೆಯನ್ನು ಸ್ವೀಕರಿಸಲಾಗಿದೆ."; -"Dislike" = "ಮೆಚ್ಚದಿರು"; -"Preview" = "ಪೂರ್ವವೀಕ್ಷಿಸಿ"; -"Book Now" = "ಈಗಲೇ ಬುಕ್ ಮಾಡು"; -"START A NEW CONVERSATION" = "ಹೊಸ ಸಂವಾದವನ್ನು ಪ್ರಾರಂಭಿಸಿ"; -"Your Rating" = "ನಿಮ್ಮ ರೇಟಿಂಗ್"; -"No Internet!" = "ಇಂಟರ್ನೆಟ್ ಸಂಪರ್ಕವಿಲ್ಲ!"; -"Invalid Entry" = "ಅಮಾನ್ಯ ನಮೂದು"; -"Loved it" = "ಇಷ್ಟವಾಯಿತು"; -"Review on the App Store" = "ಅಪ್ಲಿಕೇಶನ್ ಸ್ಟೋರ್ ಕುರಿತು ಅಭಿಪ್ರಾಯ ತಿಳಿಸಿ"; -"Open Help" = "ಸಹಾಯ ತೆರೆಯಿರಿ"; -"Search" = "ಹುಡುಕು"; -"Tap here if you found this FAQ helpful" = "ಈ FAQ ನಿಮಗೆ ಉಪಯುಕ್ತವೆನಿಸಿದಲ್ಲಿ ಇಲ್ಲಿ ಟ್ಯಾಪ್ ಮಾಡಿ"; -"Star" = "ಸ್ಟಾರ್"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "ಈ ಉತ್ತರವು ನಿಮಗೆ ಉಪಯುಕ್ತವೆನಿಸಿದಲ್ಲಿ ಇಲ್ಲಿ ಟ್ಯಾಪ್ ಮಾಡಿ"; -"Report a problem" = "ಸಮಸ್ಯೆಯ ಕುರಿತು ವರದಿ ಮಾಡಿ"; -"YES, THANKS!" = "ಹೌದು, ಧನ್ಯವಾದಗಳು!"; -"Was this helpful?" = "ಇದು ಉಪಯುಕ್ತವೇ?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "ನಿಮ್ಮ ಸಂದೇಶವನ್ನು ಕಳುಹಿಸಲಾಗಿಲ್ಲ. ಈ ಸಂದೇಶವನ್ನು ಕಳುಹಿಸಲು \"ಮತ್ತೊಮ್ಮೆ ಪ್ರಯತ್ನಿಸು\" ಟ್ಯಾಪ್ ಮಾಡುವುದೇ?"; -"Suggestions" = "ಸಲಹೆಗಳು"; -"No FAQs found" = "FAQಗಳು ಕಂಡುಬರಲಿಲ್ಲ"; -"Done" = "ಮುಗಿದಿದೆ"; -"Opening Gallery..." = "ಗ್ಯಾಲರಿ ತೆರೆಯಲಾಗುತ್ತಿದೆ..."; -"You rated the service with" = "ನಿಮ್ಮ ಇದರ ಜೊತೆಗಿನ ರೇಟ್ ಮಾಡಿರುವ ಸೇವೆ"; -"Cancel" = "ರದ್ದುಮಾಡು"; -"Loading..." = "ಲೋಡ್ ಆಗುತ್ತಿದೆ..."; -"Read FAQs" = "FAQ ಪ್ರಶ್ನೆಗಳನ್ನು ಓದಿ"; -"Thanks for messaging us!" = "ನಮಗೆ ಸಂದೇಶ ಕಳುಹಿಸುತ್ತಿರುವುದಕ್ಕೆ ಧನ್ಯವಾದಗಳು!"; -"Try Again" = "ಮತ್ತೊಮ್ಮೆ ಪ್ರಯತ್ನಿಸಿ"; -"Send Feedback" = "ಪ್ರತಿಕ್ರಿಯೆ ಕಳುಹಿಸಿ"; -"Your Name" = "ನಿಮ್ಮ ಹೆಸರು"; -"Please provide a name." = "ಹೆಸರೊಂದನ್ನು ನೀಡಿ."; -"FAQ" = "FAQ"; -"Describe your problem" = "ನಿಮ್ಮ ಸಮಸ್ಯೆಯ ಕುರಿತು ತಿಳಿಸಿ"; -"How can we help?" = "ನಾವು ನಿಮಗೆ ಹೇಗೆ ಸಹಾಯ ಮಾಡಬಹುದು?"; -"Help about" = "ಕುರಿತು ಸಹಾಯ"; -"We could not fetch the required data" = "ನಾವು ಅಗತ್ಯ ಮಾಹಿತಿಯನ್ನು ಹಿಂಪಡೆಯಲಾಗಲಿಲ್ಲ"; -"Name" = "ಹೆಸರು"; -"Sending failed!" = "ಕಳುಹಿಸಲು ವಿಫಲವಾಗಿದೆ!"; -"You didn't find this helpful." = "ಇದು ನಿಮಗೆ ಉಪಯುಕ್ತವಾಗಿಲ್ಲದಿರುವಂತಿದೆ."; -"Attach a screenshot of your problem" = "ನಿಮ್ಮ ಸಮಸ್ಯೆಯ ಕುರಿತಾದ ಸ್ಕ್ರೀನ್‌ಶಾಟ್ ಲಗತ್ತಿಸಿ"; -"Mark as read" = "ಓದಿದೆ ಎಂದು ಗುರುತಿಸು"; -"Name invalid" = "ಹೆಸರು ಅಮಾನ್ಯವಾಗಿದೆ"; -"Yes" = "ಹೌದು"; -"What's on your mind?" = "ನಿಮ್ಮ ಮನದಲ್ಲೇನಿದೆ?"; -"Send a new message" = "ಹೊಸ ಸಂದೇಶ ಕಳುಹಿಸಿ"; -"Questions that may already have your answer" = "ಈಗಾಗಲೇ ನಿಮ್ಮ ಉತ್ತರವನ್ನೊಳಗೊಂಡ ಪ್ರಶ್ನೆಗಳು"; -"Attach a photo" = "ಫೋಟೋ ಲಗತ್ತಿಸು"; -"Accept" = "ಸಮ್ಮತಿಸು"; -"Your reply" = "ನಿಮ್ಮ ಪ್ರತ್ಯುತ್ತರ"; -"Inbox" = "ಇನ್‌ಬಾಕ್ಸ್"; -"Remove attachment" = "ಲಗತ್ತು ತೆಗೆ"; -"Could not fetch message" = "ಸಂದೇಶವನ್ನು ಹಿಂಪಡೆಯಲಾಗುತ್ತಿಲ್ಲ"; -"Read FAQ" = "FAQ ಪ್ರಶ್ನೆಯನ್ನು ಓದಿ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "ಕ್ಷಮಿಸಿ! ನಿಷ್ಕ್ರಿಯತೆಯ ಕಾರಣ ಈ ಸಂವಾದವನ್ನು ಮುಚ್ಚಲಾಗಿದೆ. ನಮ್ಮ ಏಜೆಂಟ್‌ಗಳ ಜೊತೆಗೆ ಹೊಸ ಸಂವಾದವನ್ನು ಪ್ರಾರಂಭಿಸಿ."; -"%d new messages from Support" = "%d ಬೆಂಬಲ ತಂಡದಿಂದ ಹೊಸ ಸಂದೇಶಗಳು"; -"Ok, Attach" = "ಸರಿ, ಲಗತ್ತಿಸು"; -"Send" = "ಕಳುಹಿಸು"; -"Screenshot size should not exceed %.2f MB" = "ಸ್ಕ್ರೀನ್‌ಶಾಟ್ ಗಾತ್ರ %.2f MB ಮೀರುವಂತಿಲ್ಲ"; -"Information" = "ಮಾಹಿತಿ"; -"Issue ID" = "ಸಮಸ್ಯೆ ID"; -"Tap to copy" = "ನಕಲಿಸಲು ತಟ್ಟಿ"; -"Copied!" = "ನಕಲಿಸಲಾಗಿದೆ!"; -"We couldn't find an FAQ with matching ID" = "ಹೊಂದಾಣಿಕೆ ಐಡಿಯ FAQ ಪ್ರಶ್ನೆಯನ್ನು ಹುಡುಕಲು ನಮಗೆ ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ"; -"Failed to load screenshot" = "ಸ್ಕ್ರೀನ್‌ಶಾಟ್ ಲೋಡ್ ಮಾಡಲು ವಿಫಲವಾಗಿದೆ"; -"Failed to load video" = "ವೀಡಿಯೊ ಲೋಡ್ ಮಾಡಲು ವಿಫಲವಾಗಿದೆ"; -"Failed to load image" = "ಚಿತ್ರವನ್ನು ಲೋಡ್ ಮಾಡಲು ವಿಫಲವಾಗಿದೆ"; -"Hold down your device's power and home buttons at the same time." = "ಒಂದೇ ಸಮಯದಲ್ಲಿ ನಿಮ್ಮ ಸಾಧನದ ಪವರ್ ಮತ್ತು ಹೋಮ್ ಬಟನ್ ಒತ್ತಿ ಹಿಡಿಯಿರಿ."; -"Please note that a few devices may have the power button on the top." = "ಕೆಲವು ಸಾಧನಗಳಲ್ಲಿ ಪವರ್ ಬಟನ್ ಮೇಲ್ಭಾಗದಲ್ಲಿರುತ್ತದೆ ಎಂಬುದು ನಿಮ್ಮ ಗಮನಕ್ಕಿರಲಿ."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "ಮುಗಿದ ಬಳಿಕ, ಈ ಸಂವಾದಕ್ಕೆ ಹಿಂತಿರುಗಿ ಮತ್ತು ಲಗತ್ತಿಸಲು \"ಸರಿ ಲಗತ್ತಿಸು\" ಟ್ಯಾಪ್ ಮಾಡಿ."; -"Okay" = "ಸರಿ"; -"We couldn't find an FAQ section with matching ID" = "ಹೊಂದಾಣಿಕೆ ಐಡಿಯ FAQ ವಿಭಾಗ ಪ್ರಶ್ನೆಯನ್ನು ಹುಡುಕಲು ನಮಗೆ ಸಾಧ್ಯವಾಗುತ್ತಿಲ್ಲ"; - -"GIFs are not supported" = "GIF ಗಳನ್ನು ಬೆಂಬಲಿಸುವುದಿಲ್ಲ"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ko.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ko.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index e0e136a5f6b3..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ko.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "원하는 항목을 찾지 못하셨나요?"; -"Rate App" = "앱 평가하기"; -"We\'re happy to help you!" = "기꺼이 도와 드리겠습니다!"; -"Did we answer all your questions?" = "모든 질문이 해결되셨나요?"; -"Remind Later" = "나중에 알림"; -"Your message has been received." = "귀하의 메시지를 수신했습니다."; -"Message send failure." = "메시지 전송에 실패했습니다."; -"What\'s your feedback about our customer support?" = "저희 고객 지원에 대해 어떻게 평가하십니까?"; -"Take a screenshot on your iPhone" = "iPhone에서 스크린샷 촬영하기"; -"Learn how" = "방법 배우기"; -"Take a screenshot on your iPad" = "iPad에서 스크린샷 촬영하기"; -"Your email(optional)" = "귀하의 이메일(선택)"; -"Conversation" = "대화"; -"View Now" = "지금 보기"; -"SEND ANYWAY" = "그냥 전송하기"; -"OK" = "확인"; -"Help" = "도움말"; -"Send message" = "메시지 전송하기"; -"REVIEW" = "리뷰"; -"Share" = "공유"; -"Close Help" = "도움말 닫기"; -"Sending your message..." = "메시지 전송 중..."; -"Learn how to" = "방법 안내:"; -"No FAQs found in this section" = "이 섹션에는 FAQ가 없음"; -"Thanks for contacting us." = "문의해 주셔서 감사합니다."; -"Chat Now" = "지금 대화하기"; -"Buy Now" = "지금 구입하기"; -"New Conversation" = "새 대화"; -"Please check your network connection and try again." = "네트워크 연결을 확인하고 다시 시도해 주세요."; -"New message from Support" = "지원에서 보낸 새 메시지"; -"Question" = "질문"; -"Type in a new message" = "새 메시지 입력하기"; -"Email (optional)" = "이메일 (보조)"; -"Reply" = "답장"; -"CONTACT US" = "문의하기"; -"Email" = "이메일"; -"Like" = "좋아요"; -"Tap here if this FAQ was not helpful to you" = "이 FAQ가 도움이 되지 않았다면 여기를 누르세요."; -"Any other feedback? (optional)" = "다른 의견이 있으신가요? (선택)"; -"You found this helpful." = "도움이 되었습니다."; -"No working Internet connection is found." = "작동 중인 인터넷 연결이 없습니다."; -"No messages found." = "메시지가 없습니다."; -"Please enter a brief description of the issue you are facing." = "현재 겪고 있는 문제에 대해 짤막한 설명을 입력해 주세요."; -"Shop Now" = "지금 쇼핑하기"; -"Close Section" = "섹션 닫기"; -"Close FAQ" = "FAQ 닫기"; -"Close" = "닫기"; -"This conversation has ended." = "이 대화는 종료되었습니다."; -"Send it anyway" = "그냥 전송하기"; -"You accepted review request." = "리뷰 요청을 승인하셨습니다."; -"Delete" = "삭제"; -"What else can we help you with?" = "다른 도움이 필요하십니까?"; -"Tap here if the answer was not helpful to you" = "답변이 도움이 되지 않았다면 여기를 누르세요."; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "죄송합니다. 저희에게 현재 겪고 있는 문제에 대해 좀 더 알려 주시겠습니까?"; -"Service Rating" = "서비스 평가"; -"Your email" = "귀하의 이메일"; -"Email invalid" = "잘못된 이메일"; -"Could not fetch FAQs" = "FAQ를 불러올 수 없음"; -"Thanks for rating us." = "평가해 주셔서 감사합니다."; -"Download" = "다운로드"; -"Please enter a valid email" = "유효한 이메일을 입력해 주세요."; -"Message" = "메시지"; -"or" = "혹은"; -"Decline" = "거부"; -"No" = "아니요"; -"Screenshot could not be sent. Image is too large, try again with another image" = "스크린샷 전송에 실패했습니다. 이미지가 너무 크니, 다른 이미지로 다시 시도하세요"; -"Hated it" = "나쁨"; -"Stars" = "점"; -"Your feedback has been received." = "귀하의 의견을 수신했습니다."; -"Dislike" = "싫어요"; -"Preview" = "미리보기"; -"Book Now" = "지금 예약하기"; -"START A NEW CONVERSATION" = "새 대화 시작하기"; -"Your Rating" = "나의 평가"; -"No Internet!" = "인터넷 없음!"; -"Invalid Entry" = "잘못된 입력"; -"Loved it" = "좋음"; -"Review on the App Store" = "App Store에서 평가하기"; -"Open Help" = "도움말 열기"; -"Search" = "검색"; -"Tap here if you found this FAQ helpful" = "이 FAQ가 도움이 되었다면 여기를 누르세요."; -"Star" = "점"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "답변이 도움이 되었다면 여기를 누르세요."; -"Report a problem" = "문제 보고"; -"YES, THANKS!" = "네, 감사합니다!"; -"Was this helpful?" = "내용이 도움이 되었나요?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "메시지가 전송되지 않았습니다.\"다시 시도\"를 탭해서 이 메시지를 전송할까요?"; -"Suggestions" = "제안"; -"No FAQs found" = "FAQ가 없음"; -"Done" = "완료"; -"Opening Gallery..." = "갤러리 여는 중..."; -"You rated the service with" = "귀하의 서비스 평가 점수"; -"Cancel" = "취소"; -"Loading..." = "불러오는 중..."; -"Read FAQs" = "FAQ 읽기"; -"Thanks for messaging us!" = "보내 주셔서 감사합니다!"; -"Try Again" = "다시 시도"; -"Send Feedback" = "의견 보내기"; -"Your Name" = "이름"; -"Please provide a name." = "이름을 입력해 주세요."; -"FAQ" = "FAQ"; -"Describe your problem" = "문제에 대해 설명하기"; -"How can we help?" = "무엇을 도와 드릴까요?"; -"Help about" = "도움말 주제:"; -"We could not fetch the required data" = "필요한 데이터를 불러오지 못했습니다"; -"Name" = "이름"; -"Sending failed!" = "전송 실패!"; -"You didn't find this helpful." = "도움이 되지 않았습니다."; -"Attach a screenshot of your problem" = "문제에 관련된 스크린샷 첨부하기"; -"Mark as read" = "읽은 상태로 표시"; -"Name invalid" = "잘못된 이름"; -"Yes" = "네"; -"What's on your mind?" = "무슨 일로 오셨나요?"; -"Send a new message" = "새 메시지 전송"; -"Questions that may already have your answer" = "이미 답변된 질문일 수도 있습니다"; -"Attach a photo" = "사진 첨부"; -"Accept" = "수락"; -"Your reply" = "귀하의 답장"; -"Inbox" = "수신함"; -"Remove attachment" = "첨부 파일 제거"; -"Could not fetch message" = "메시지를 불러올 수 없음"; -"Read FAQ" = "FAQ 읽기"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "죄송합니다! 이 대화는 활동이 없어서 닫혔습니다. 에이전트로 새 대화를 시작해 주세요."; -"%d new messages from Support" = "고객 지원에서 보낸 새 메시지 %d개"; -"Ok, Attach" = "확인 및 첨부"; -"Send" = "전송"; -"Screenshot size should not exceed %.2f MB" = "스크린샷 크기가 %.2f MB를 초과함"; -"Information" = "정보"; -"Issue ID" = "문제 ID"; -"Tap to copy" = "눌러서 복사하기"; -"Copied!" = "복사 완료!"; -"We couldn't find an FAQ with matching ID" = "일치하는 ID로 FAQ를 찾을 수 없습니다."; -"Failed to load screenshot" = "스크린샷 불러오기 실패"; -"Failed to load video" = "비디오 불러오기 실패"; -"Failed to load image" = "이미지 불러오기 실패"; -"Hold down your device's power and home buttons at the same time." = "단말기의 전원 버튼과 홈 버튼을 동시에 누르십시오."; -"Please note that a few devices may have the power button on the top." = "일부 단말기는 기기 상단에 전원 버튼이 있습니다."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "완료되면, 이 대화창으로 돌아와서 \"확인, 첨부\"를 눌러 첨부합니다."; -"Okay" = "창 닫기"; -"We couldn't find an FAQ section with matching ID" = "일치하는 ID로 FAQ 섹션을 찾을 수 없습니다."; - -"GIFs are not supported" = "GIF는 지원되지 않습니다."; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/lv.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/lv.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index cb740be87455..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/lv.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Nevarat atrast to, ko meklējāt?"; -"Rate App" = "Novērtēt lietotni"; -"We\'re happy to help you!" = "Priecāsimies Jums palīdzēt!"; -"Did we answer all your questions?" = "Vai mēs atbildējām uz visiem Jūsu jautājumiem?"; -"Remind Later" = "Atgādināt vēlāk"; -"Your message has been received." = "Jūsu ziņa tika saņemta."; -"Message send failure." = "Ziņas nosūtīšana neizdevās."; -"What\'s your feedback about our customer support?" = "Kā Jūs vērtējat mūsu klientu atbalstu?"; -"Take a screenshot on your iPhone" = "Uzņemiet ekrānuzņēmumu ar savu iPhone"; -"Learn how" = "Uzziniet, kādā veidā"; -"Take a screenshot on your iPad" = "Uzņemiet ekrānuzņēmumu ar savu iPad"; -"Your email(optional)" = "Jūsu e-pasts (izvēles)"; -"Conversation" = "Saruna"; -"View Now" = "Skatīt tagad"; -"SEND ANYWAY" = "VIENALGA NOSŪTĪT"; -"OK" = "LABI"; -"Help" = "Palīdzība"; -"Send message" = "Nosūtīt ziņojumu"; -"REVIEW" = "NOVĒRTĒT"; -"Share" = "Kopīgot"; -"Close Help" = "Aizvērt sadaļu Palīdzība"; -"Sending your message..." = "Notiek Jūsu ziņas nosūtīšana..."; -"Learn how to" = "Uzziniet, kā"; -"No FAQs found in this section" = "Šajā sadaļā netika atrasti BUJ"; -"Thanks for contacting us." = "Paldies, ka sazinājāties ar mums."; -"Chat Now" = "Tērzēt tagad"; -"Buy Now" = "Pirkt tagad"; -"New Conversation" = "Jauna saruna"; -"Please check your network connection and try again." = "Lūdzu, pārbaudiet tīkla pieslēgumu un mēģiniet vēlreiz."; -"New message from Support" = "Jauna ziņa no Klientu atbalsta dienesta"; -"Question" = "Jautājums"; -"Type in a new message" = "Ierakstiet jaunu ziņojumu"; -"Reply" = "Atbildēt"; -"Email (optional)" = "E-pasts (izvēles papildiespēja)"; -"CONTACT US" = "SAZINĀTIES AR MUMS"; -"Email" = "E-pasts"; -"Like" = "Patīk"; -"Tap here if this FAQ was not helpful to you" = "Piesitiet šeit, ja šis BUJ nebija noderīgs"; -"Any other feedback? (optional)" = "Cits vērtējums? (izvēles papildiespēja)"; -"You found this helpful." = "Palīdzēja."; -"No working Internet connection is found." = "Piekļuve funkcionējošam interneta pieslēgumam netika atrasta."; -"No messages found." = "Ziņojumi nav atrasti."; -"Please enter a brief description of the issue you are facing." = "Lūdzu, ievadiet īsu pieredzētās problēmas aprakstu."; -"Shop Now" = "Iepirkties tagad"; -"Close Section" = "Aizvērt sadaļu"; -"Close FAQ" = "Aizvērt BUJ"; -"Close" = "Aizvērt"; -"This conversation has ended." = "Šī saruna ir beigusies."; -"Send it anyway" = "Tik un tā sūtīt"; -"You accepted review request." = "Jūs pieņēmāt novērtējuma pieprasījumu."; -"Delete" = "Dzēst"; -"What else can we help you with?" = "Kā vēl mēs Jums varam palīdzēt?"; -"Tap here if the answer was not helpful to you" = "Piesitiet šeit, ja atbilde nebija noderīga"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Žēl to dzirdēt. Vai Jūs, lūdzu, varētu plašāk izklāstīt pieredzētās problēmas būtību?"; -"Service Rating" = "Pakalpojuma vērtējums"; -"Your email" = "Jūsu e-pasts"; -"Email invalid" = "E-pasts nav pareizs"; -"Could not fetch FAQs" = "BUJ nebija iespējams izgūt"; -"Thanks for rating us." = "Paldies, ka sniedzāt vērtējumu par mums."; -"Download" = "Lejupielādēt"; -"Please enter a valid email" = "Lūdzu, ievadiet derīgu e-pastu"; -"Message" = "Ziņojums"; -"or" = "vai"; -"Decline" = "Noraidīt"; -"No" = "Nē"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Nevar nosūtīt ekrānuzņēmumu. Attēls ir pārāk liels, mēģiniet vēlreiz ar citu attēlu"; -"Hated it" = "Nepatika"; -"Stars" = "Zvaigznes"; -"Your feedback has been received." = "Jūsu vērtējums tika saņemts."; -"Dislike" = "Nepatīk"; -"Preview" = "Priekšskatījums"; -"Book Now" = "Rezervēt tagad"; -"START A NEW CONVERSATION" = "UZSĀKT JAUNU SARUNU"; -"Your Rating" = "Jūsu vērtējums"; -"No Internet!" = "Nav piekļuves internetam!"; -"Invalid Entry" = "Ieraksts nav pareizs"; -"Loved it" = "Patika"; -"Review on the App Store" = "Novērtējums App Store"; -"Open Help" = "Atvērt Palīdzību"; -"Search" = "Meklēt"; -"Tap here if you found this FAQ helpful" = "Piesitiet šeit, ja šis BUJ bija noderīgs"; -"Star" = "Zvaigzne"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Piesitiet šeit, ja atbilde bija noderīga"; -"Report a problem" = "Ziņot par problēmu"; -"YES, THANKS!" = "JĀ, PALDIES!"; -"Was this helpful?" = "Vai tas palīdzēja?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Jūsu ziņa netika nosūtīta. \"Mēģināt vēlreiz\", lai sūtītu šo ziņu?"; -"Suggestions" = "Ieteikumi"; -"No FAQs found" = "BUJ netika atrasti"; -"Done" = "Darīts"; -"Opening Gallery..." = "Notiek attēlu galerijas atvēršana..."; -"You rated the service with" = "Jūs novērtējāt pakalpojumu ar"; -"Cancel" = "Atcelt"; -"Loading..." = "Ielādē..."; -"Read FAQs" = "Lasīt BUJ"; -"Thanks for messaging us!" = "Paldies par nosūtīto ziņojumu!"; -"Try Again" = "Mēģināt vēlreiz"; -"Send Feedback" = "Nosūtiet atsauksmi"; -"Your Name" = "Jūsu vārds"; -"Please provide a name." = "Lūdzu, ievadiet vārdu."; -"FAQ" = "BUJ"; -"Describe your problem" = "Aprakstiet problēmu"; -"How can we help?" = "Kā mēs varam palīdzēt?"; -"Help about" = "Palīdzība par"; -"We could not fetch the required data" = "Mēs nevarējām izgūt pieprasīto informāciju"; -"Name" = "Vārds"; -"Sending failed!" = "Nosūtīšana neizdevās!"; -"You didn't find this helpful." = "Šī sadaļa Jums nebija noderīga."; -"Attach a screenshot of your problem" = "Pievienot savas problēmas ekrānuzņēmumu"; -"Mark as read" = "Atzīmēt kā izlasītu"; -"Name invalid" = "Vārds nav pareizs"; -"Yes" = "Jā"; -"What's on your mind?" = "Kas Jums ir padomā?"; -"Send a new message" = "Nosūtīt jaunu ziņojumu"; -"Questions that may already have your answer" = "Atbildes, kas varētu sniegt risinājumu Jūsu jautājumiem"; -"Attach a photo" = "Pievienot attēlu"; -"Accept" = "Piekrist"; -"Your reply" = "Jūsu atbilde"; -"Inbox" = "Iesūtne"; -"Remove attachment" = "Noņemt pielikumu"; -"Could not fetch message" = "Ziņojumu nevarēja iegūt"; -"Read FAQ" = "Lasīt BUJ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Atvainojiet! Šī saruna tika aizvērta neaktivitātes dēļ. Lūdzu, uzsāciet jaunu sarunu ar mūsu aģentiem."; -"%d new messages from Support" = "%d jauni ziņojumi no Atbalsta dienesta"; -"Ok, Attach" = "Labi, pievienot"; -"Send" = "Nosūtīt"; -"Screenshot size should not exceed %.2f MB" = "Ekrānuzņēmuma izmērs nedrīkst pārsniegt %.2f MB"; -"Information" = "Informācija"; -"Issue ID" = "Problēmas ID"; -"Tap to copy" = "Piespiediet, lai kopētu"; -"Copied!" = "Nokopēts!"; -"We couldn't find an FAQ with matching ID" = "Neatradām BUJ ar atbilstošu ID"; -"Failed to load screenshot" = "Ekrānuzņēmuma ielāde neizdevās"; -"Failed to load video" = "Video ielāde neizdevās"; -"Failed to load image" = "Attēla ielāde neizdevās"; -"Hold down your device's power and home buttons at the same time." = "Vienlaicīgi turiet piespiestu savas ierīces ieslēgšanas/izslēgšanas pogu un sākuma ekrāna atainošanas pogu."; -"Please note that a few devices may have the power button on the top." = "Ņemiet vērā, ka dažām ierīcēm ieslēgšanas/izslēgšanas poga var atrasties augšpusē."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Pēc tam atgriezieties pie šīs sarunas un uzklikšķiniet uz \"Labi, pievienot\", lai to pievienotu."; -"Okay" = "Labi"; -"We couldn't find an FAQ section with matching ID" = "Nebija iespējams atrast BUJ sadaļu ar atbilstošu ID"; - -"GIFs are not supported" = "GIF faili netiek atbalstīti"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ml.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ml.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index def553bd5ea7..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ml.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "നിങ്ങൾ അന്വേഷിച്ചത് ‌കണ്ടെത്താനായില്ലേ?"; -"Rate App" = "ആപ്പ് ‌റേറ്റുചെയ്യുക"; -"We\'re happy to help you!" = "നിങ്ങളെ സഹായിക്കാൻ ‌ഞങ്ങൾക്ക് സന്തോഷമേയുള്ളു!"; -"Did we answer all your questions?" = "നിങ്ങളുടെ ചോദ്യങ്ങൾക്കെല്ലാം ഞങ്ങൾ മറുപടി നൽകിയോ?"; -"Remind Later" = "അൽപ്പസമയം കഴിഞ്ഞ് ഓർമ്മിപ്പിക്കുക"; -"Your message has been received." = "നിങ്ങളുടെ സന്ദേശം സ്വീകരിച്ചു."; -"Message send failure." = "സന്ദേശമയയ്ക്കൽ പരാജയപ്പെട്ടു."; -"What\'s your feedback about our customer support?" = "ഞങ്ങളുടെ ഉപഭോക്തൃ പിന്തുണയെ കിറിച്ച് നിങ്ങളുടെ പ്രതികരണമെന്താണ്?"; -"Take a screenshot on your iPhone" = "നിങ്ങളുടെ iPhone-ൽ ഒരു സ്ക്രീൻഷോട്ട് എടുക്കൂ"; -"Learn how" = "എങ്ങനെയെന്ന് അറിയുക"; -"Take a screenshot on your iPad" = "നിങ്ങളുടെ iPad-ൽ ഒരു സ്ക്രീൻഷോട്ട് എടുക്കൂ"; -"Your email(optional)" = "നിങ്ങളുടെ ഇമെയിൽ(ഓപ്ഷണൽ)"; -"Conversation" = "ചർച്ച"; -"View Now" = "ഇപ്പോൾ കാണുക"; -"SEND ANYWAY" = "എന്തായാലും അയയ്ക്കുക"; -"OK" = "ശരി"; -"Help" = "സഹായം"; -"Send message" = "സന്ദേശമയയ്ക്കുക"; -"REVIEW" = "അവലോകനം ചെയ്യുക"; -"Share" = "പങ്കിടുക"; -"Close Help" = "സഹായം അടയ്ക്കുക"; -"Sending your message..." = "നിങ്ങളുടെ സന്ദേശം അയയ്ക്കുന്നു..."; -"Learn how to" = "ഇനിപ്പറയുന്നത് എങ്ങനെയെന്ന് അറിയുക"; -"No FAQs found in this section" = "ഈ വിഭാഗത്തിൽ പതിവ് ചോദ്യങ്ങളൊന്നും കണ്ടെത്തിയില്ല"; -"Thanks for contacting us." = "ഞങ്ങളെ ബന്ധപ്പെട്ടതിന് നന്ദി."; -"Chat Now" = "ഇപ്പോൾ ചാറ്റുചെയ്യുക"; -"Buy Now" = "ഇപ്പോൾ വാങ്ങുക"; -"New Conversation" = "പുതിയ ചർച്ച"; -"Please check your network connection and try again." = "നിങ്ങളുടെ നെറ്റ്‌വർക്ക് ‌കണക്ഷൻ പരിശോധിച്ചശേഷം വീണ്ടും ശ്രമിക്കുക."; -"New message from Support" = "പിന്തുണയിൽ നിന്നുള്ള പുതിയ സന്ദേശം"; -"Question" = "ചോദ്യം"; -"Thanks for rating us." = "ഞങ്ങളെ റേറ്റ് ചെയ്തതിന് നന്ദി."; -"Type in a new message" = "ഒരു പുതിയ സന്ദേശം ടൈപ്പുചെയ്യുക"; -"Email (optional)" = "ഇമെയിൽ (ഐച്ഛികം)"; -"Reply" = "മറുപടി"; -"CONTACT US" = "ഞങ്ങളെ ബന്ധപ്പെടുക"; -"Email" = "ഇലെയിൽ"; -"Like" = "ഇഷ്ടപ്പെടുന്നു"; -"Tap here if this FAQ was not helpful to you" = "പതിവ് ‌ചോദ്യങ്ങൾ നിങ്ങൾക്ക് സഹായകരമല്ലായെങ്കിൽ, ഇവിടെ ടാപ്പുചെയ്യുക"; -"Any other feedback? (optional)" = "മറ്റെന്തെങ്കിലും പ്രതികരണമുണ്ടോ? (ഐച്ഛികം)"; -"You found this helpful." = "നിങ്ങൾക്കിത് സഹായകരമായിരുന്നു."; -"No working Internet connection is found." = "പ്രവർത്തനനിരതമായ ഇന്റർനെറ്റ് ‌കണക്ഷനുകളൊന്നും കണ്ടെത്തിയില്ല."; -"No messages found." = "സന്ദേശങ്ങളൊന്നും കാണ്മാനില്ല."; -"Please enter a brief description of the issue you are facing." = "നിങ്ങൾ നേരിടുന്ന പ്രശ്‌നത്തെ കുറിച്ച് ‌ലഘുവായ വിവരണം ദയവായി നൽകുക."; -"Shop Now" = "ഇപ്പോൾ ഷോപ്പുചെയ്യുക"; -"Close Section" = "വിഭാഗം അടയ്ക്കുക"; -"Close FAQ" = "പതിവ് ചോദ്യങ്ങൾ അടയ്ക്കുക"; -"Close" = "അടയ്ക്കുക"; -"This conversation has ended." = "ഈ ചർച്ച അവസാനിച്ചു."; -"Send it anyway" = "അത് എന്തായാലും അയയ്ക്കുക"; -"You accepted review request." = "അവലോകന അഭ്യർത്ഥന നിങ്ങൾ സ്വീകരിച്ചു."; -"Delete" = "ഇല്ലാതാക്കുക"; -"What else can we help you with?" = "മറ്റെന്ത് സഹായമാണ് ഞങ്ങൾ നിങ്ങൾക്ക് നൽകേണ്ടത്?"; -"Tap here if the answer was not helpful to you" = "ഉത്തരം നിങ്ങൾക്ക് സഹായകരമല്ലായെങ്കിൽ, ഇവിടെ ടാപ്പുചെയ്യുക"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "ഞങ്ങൾക്കതിൽ അതിയായ വിഷമമുണ്ട്. നിങ്ങൾ നേരിടുന്ന പ്രശ്‌നത്തെ കുറിച്ച് ‌കുറച്ചുകൂടി വിവരം ഞങ്ങൾക്ക് ‌നൽകാമോ?"; -"Service Rating" = "സേവന റേറ്റിംഗ്"; -"Your email" = "നിങ്ങളുടെ ഇമെയിൽ"; -"Email invalid" = "അസാധുവായ ഇമെയിൽ"; -"Could not fetch FAQs" = "പതിവ് ചോദ്യങ്ങളൊന്നും കണ്ടെത്താനായില്ല"; -"Download" = "ഡൗൺലോഡുചെയ്യുക"; -"Please enter a valid email" = "സാധുവായ ഇമെയിൽ നൽകുക"; -"Message" = "സന്ദേശം"; -"or" = "അല്ലെങ്കിൽ"; -"Decline" = "നിരസിക്കുക"; -"No" = "അല്ല"; -"Screenshot could not be sent. Image is too large, try again with another image" = "സ്ക്രീൻഷോട്ട് അയയ്ക്കാൻ കഴിഞ്ഞില്ല. ചിത്രം വളരെ വലുതാണ്, മറ്റൊരു ചിത്രമുപയോഗിച്ച് ‌വീണ്ടും ശ്രമിക്കുക"; -"Hated it" = "വെറുക്കുന്നു"; -"Stars" = "നക്ഷത്രങ്ങൾ"; -"Your feedback has been received." = "നിങ്ങളുടെ പ്രതികരണം ലഭിച്ചു."; -"Dislike" = "ഇഷ്ടപ്പെടുന്നില്ല"; -"Preview" = "പ്രിവ്യൂ"; -"Book Now" = "ഇപ്പോൾ ബുക്കുചെയ്യുക"; -"START A NEW CONVERSATION" = "ഒരു പുതിയ ചർച്ച ആരംഭിക്കുക"; -"Your Rating" = "നിങ്ങളുടെ റേറ്റിംഗ്"; -"No Internet!" = "ഇന്റർനെറ്റ് ഇല്ല!"; -"Invalid Entry" = "അസാധുവായ എൻട്രി"; -"Loved it" = "ഇഷ്ടപ്പെടുന്നു"; -"Review on the App Store" = "ആപ്പ് സ്റ്റോറിലെ അവലോകനം"; -"Open Help" = "സഹായം തിറക്കുക"; -"Search" = "തിരയുക"; -"Tap here if you found this FAQ helpful" = "പതിവ് ചോദ്യങ്ങൾ നിങ്ങൾക്ക് സഹായകരമായെങ്കിൽ, ഇവിടെ ടാപ്പുചെയ്യുക"; -"Star" = "നക്ഷത്രം"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "ഉത്തരം നിങ്ങൾക്ക് സഹായകരമായെങ്കിൽ, ഇവിടെ ടാപ്പുചെയ്യുക"; -"Report a problem" = "ഒരു പ്രശ്‌നം റിപ്പോർട്ടുചെയ്യുക"; -"YES, THANKS!" = "അതെ, നന്ദി!"; -"Was this helpful?" = "ഇത് സഹായകരമായിരുന്നോ?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "നിങ്ങളുടെ സന്ദേശമയച്ചിട്ടില്ല. ഈ സന്ദേശമയയ്ക്കാൻ \"വീണ്ടും ശ്രമിക്കുക\" എന്നതിൽ ടാപ്പുചെയ്യണോ?"; -"Suggestions" = "അഭിപ്രായങ്ങൾ"; -"No FAQs found" = "പതിവ് ചോദ്യങ്ങളൊന്നും കണ്ടെത്തിയില്ല"; -"Done" = "കഴിഞ്ഞു"; -"Opening Gallery..." = "ഗാലറി തുറക്കുന്നു..."; -"You rated the service with" = "നിങ്ങൾ സേവനത്തെ ഇനിപ്പറയുന്ന പ്രകാരം റേറ്റുചെയ്‌തു"; -"Cancel" = "റദ്ദാക്കുക"; -"Loading..." = "ലോഡുചെയ്യുന്നു..."; -"Read FAQs" = "പതിവ് ചോദ്യങ്ങൾ വായിക്കുക"; -"Thanks for messaging us!" = "ഞങ്ങൾക്ക് സന്ദേശമയച്ചതിന് നിങ്ങൾക്ക് നന്ദി!"; -"Try Again" = "വീണ്ടും ശ്രമിക്കുക"; -"Send Feedback" = "പ്രതികരണം അയയ്ക്കുക"; -"Your Name" = "നിങ്ങളുടെ പേര്"; -"Please provide a name." = "ദയവായി ഒരു പേര് നൽകുക."; -"FAQ" = "പതിവ് ചോദ്യങ്ങൾ"; -"Describe your problem" = "നിങ്ങൾ നേരിടുന്ന പ്രശ്‌നം വിവരിക്കുക"; -"How can we help?" = "നിങ്ങൾക്ക് എന്ത് സഹായമാണ് വേണ്ടത്?"; -"Help about" = "ഇനിപ്പറയുന്നതിനെ കുറിച്ചുള്ള സഹായം"; -"We could not fetch the required data" = "ആവശ്യമായ ഡാറ്റ കണ്ടെത്താനായില്ല"; -"Name" = "പേര്"; -"Sending failed!" = "അയയ്ക്കൽ പരാജയപ്പെട്ടു!"; -"You didn't find this helpful." = "നിങ്ങൾക്കിത് ‌സഹായകരമായിരുന്നില്ല."; -"Attach a screenshot of your problem" = "നിങ്ങളുടെ പ്രശ്‌നം സംബന്ധിച്ച ഒരു സ്‌ക്രീൻഷോട്ട് അറ്റാച്ചുചെയ്യുക"; -"Mark as read" = "വായിച്ചതായി അടയാളപ്പെടുത്തുക"; -"Name invalid" = "പേര് തെറ്റാണ്"; -"Yes" = "അതെ"; -"What's on your mind?" = "നിങ്ങ‌ളുടെ മനസ്സിലെന്താണ്?"; -"Send a new message" = "ഒരു പുതിയ സന്ദേശമയയ്ക്കുക"; -"Questions that may already have your answer" = "നിങ്ങൾക്കുള്ള ഉത്തരം ഇതിനകം തന്നെ അടങ്ങിയിട്ടുള്ള ചോദ്യങ്ങൾ"; -"Attach a photo" = "ഒരു ഫോട്ടോ അറ്റാച്ചുചെയ്യുക"; -"Accept" = "സ്വീകരിക്കുക"; -"Your reply" = "നിങ്ങളുടെ മറുപടി"; -"Inbox" = "ഇൻബോക്‌സ്"; -"Remove attachment" = "അറ്റാച്ചുമെന്റ് നീക്കംചെയ്യുക"; -"Could not fetch message" = "സന്ദേശം കൊണ്ടുവരാൻ കഴിഞ്ഞില്ല"; -"Read FAQ" = "പതിവ് ചോദ്യങ്ങൾ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "ക്ഷമിക്കണം! സജീവമല്ലാത്തത് മൂലം ഈ ചർച്ച അവസാനിപ്പിച്ചു. ഞങ്ങളുടെ ഏജന്റുമാരുമായി ഒരു പുതിയ ചർച്ച ആരംഭിക്കുക."; -"%d new messages from Support" = "%d പിന്തുണയിൽ നിന്നുള്ള പുതിയ സന്ദേശം"; -"Ok, Attach" = "ശരി, അറ്റാച്ചുചെയ്യൂ"; -"Send" = "അയയ്‌ക്കൂ"; -"Screenshot size should not exceed %.2f MB" = "സ്‌ക്രീൻഷോട്ട് ‌വലിപ്പം %.2f MB-യിൽ കൂടാൻ പാടില്ല"; -"Information" = "വിവരം"; -"Issue ID" = "ഇഷ്യൂ ഐഡി"; -"Tap to copy" = "പകർത്താൻ ടാപ്പുചെയ്യുക"; -"Copied!" = "പകർത്തി!"; -"We couldn't find an FAQ with matching ID" = "സമാന ഐഡിയുള്ള പതിവായി ചോദിക്കുന്ന ഒരു ചോദ്യം കണ്ടെത്താൻ ഞങ്ങൾക്ക് ‌കഴിഞ്ഞില്ല."; -"Failed to load screenshot" = "സ്രീൻഷോട്ട് ലോഡ് ചെയ്യുന്നത് പരാജയപ്പെട്ടു"; -"Failed to load video" = "വീഡിയോ ‌ലോഡ് ചെയ്യുന്നത് പരാജയപ്പെട്ടു"; -"Failed to load image" = "ചിത്രം ലോഡ് ചെയ്യുന്നത് പരാജയപ്പെട്ടു"; -"Hold down your device's power and home buttons at the same time." = "നിങ്ങളുടെ ഉപകരണത്തിലെ ‌പവർ ബട്ടണും ഹോം ബട്ടണും ഒരേ സമയം അമർത്തിപ്പിടിക്കുക."; -"Please note that a few devices may have the power button on the top." = "ചില ഉപകരണങ്ങളിൽ പവർ ബട്ടൺ മുകളിലായിരിക്കം എന്ന കാര്യം ശ്രദ്ധിക്കുക."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "സ്‌ക്രീൻഷോട്ട് എടുത്ത ശേഷം അത് അറ്റാച്ചുചെയ്യാൻ, ഈ ചർച്ചയിലേക്ക് മടങ്ങി വന്ന് \"ശരി, അറ്റാച്ചുചെയ്യുക\" എന്നതിൽ ടാപ്പുചെയ്യുക."; -"Okay" = "ശരി"; -"We couldn't find an FAQ section with matching ID" = "സമാന ഐഡിയുള്ള ഒരു FAQ വിഭാഗം കണ്ടെത്താൻ കഴിഞ്ഞില്ല"; - -"GIFs are not supported" = "GIF- കൾ പിന്തുണയ്ക്കുന്നില്ല"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/mr.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/mr.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 127a97966d62..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/mr.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "आपण\ शोधत आहात ते सापडत नाही आहे का?"; -"Rate App" = "अनुप्रयोग रेट करा"; -"We\'re happy to help you!" = "आम्ही\ आपली मदत करण्यास आनंदी आहोत!"; -"Did we answer all your questions?" = "आम्ही आपल्या सर्व प्रश्नांची उत्तरे दिली का?"; -"Remind Later" = "नंतर आठवण करा"; -"Your message has been received." = "आपला संदेश प्राप्त झाला आहे."; -"Message send failure." = "संदेश पाठवणी अपयशी"; -"What\'s your feedback about our customer support?" = "आमच्या\ ग्राहक सेवेबद्दल आपली अभिप्राय काय आहे?"; -"Take a screenshot on your iPhone" = "आपल्या iPhoneवर एक स्क्रीन शॉट घ्या"; -"Learn how" = "कसे करायचे ते शिका"; -"Take a screenshot on your iPad" = "आपल्या iPadवर एक स्क्रीन शॉट घ्या"; -"Your email(optional)" = "आपला इमेल (वैकल्पिक)"; -"Conversation" = "संभाषण"; -"View Now" = "आता पाहा"; -"SEND ANYWAY" = "असेच पाठवा"; -"OK" = "ठीक आहे"; -"Help" = "मदत"; -"Send message" = "संदेश पाठवा"; -"REVIEW" = "पुनरावलोकन"; -"Share" = "सामायिक करा"; -"Close Help" = "मदत बंद करा"; -"Sending your message..." = "आपला संदेश पाठवत आहे..."; -"Learn how to" = "कसे करायचे ते शिका"; -"No FAQs found in this section" = "ह्या भागात कोणतेही FAQ सापडले नाहीत"; -"Thanks for contacting us." = "आमच्याशी संपर्क साधल्या बद्दल धन्यवाद!"; -"Chat Now" = "आता चॅट करा"; -"Buy Now" = "आता खरेदी करा"; -"New Conversation" = "नवीन संभाषण"; -"Please check your network connection and try again." = "कृपया आपली नेटवर्क जोडणी तपासा आणि पुन्हा प्रयत्न करा"; -"New message from Support" = "समर्थनाकडून नवीन संदेश"; -"Question" = "प्रश्न"; -"Type in a new message" = "नवीन संदेश टाइप करा"; -"Email (optional)" = "इमेल (वैकल्पिक)"; -"Reply" = "उत्तर द्या"; -"CONTACT US" = "आमच्याशी संपर्क करा"; -"Email" = "इमेल"; -"Like" = "लाईक करा"; -"Tap here if this FAQ was not helpful to you" = "FAQ आपल्याला उपयुक्त नसल्यास इथे टॅप करा"; -"Any other feedback? (optional)" = "इतर कोणताही अभिप्राय? (वैकल्पिक)"; -"You found this helpful." = "आपल्याला हे उपयुक्त वाटले."; -"No working Internet connection is found." = "कोणतीही चालू इंटरनेट जोडणी संपली नाही"; -"No messages found." = "कोणतेही संदेश सापडले नाहीत."; -"Please enter a brief description of the issue you are facing." = "कृपया आपण तोंड देत असलेल्या समस्येचे संक्षिप्त वर्णन लिहा."; -"Shop Now" = "आता खरेदी करा"; -"Close Section" = "भाग बंद करा"; -"Close FAQ" = "FAQ बंद करा"; -"This conversation has ended." = "हे संभाषण संपले आहे"; -"Send it anyway" = "असेच पाठवा"; -"You accepted review request." = "आपली पुनरावलोकन विनंती स्वीकारली गेली आहे."; -"Delete" = "हटवा"; -"What else can we help you with?" = "आम्ही आपल्याला अजून काय मदत करू शकतो?"; -"Tap here if the answer was not helpful to you" = "उत्तर आपल्याला उपयुक्त नसल्यास इथे टॅप करा"; -"Service Rating" = "सेवा रेटिंग"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "ऐकून वाईट वाटले. कृपया आपण सामोरे जात असलेल्या समस्येबद्दल थोडे अधिक सांगू शकाल का?"; -"Your email" = "आपला इमेल"; -"Email invalid" = "इमेल अवैध आहे"; -"Could not fetch FAQs" = "FAQ प्राप्त करता आले नाहीत"; -"Thanks for rating us." = "आम्हाला रेट केल्याबद्दल धन्यवाद"; -"Download" = "डाउनलोड करा"; -"Please enter a valid email" = "कृपया एक वैध इमेल प्रविष्ठ करा"; -"Message" = "संदेश"; -"or" = "किंवा"; -"Decline" = "नाकारा"; -"No" = "नाही"; -"Screenshot could not be sent. Image is too large, try again with another image" = "स्क्रीन शॉट पाठवता आला नाही. प्रतिमा खूप मोठी आहे, दुसर्या प्रतिमेसह पुन्हा प्रयत्न करा"; -"Hated it" = "अजिबात आवडले नाही"; -"Stars" = "तारे"; -"Your feedback has been received." = "आपला अभिप्राय प्राप्त झाला आहे."; -"Dislike" = "डिस्लाईक करा"; -"Preview" = "प्रीव्ह्यू"; -"Book Now" = "आता बुक करा"; -"START A NEW CONVERSATION" = "नवीन संभाषण सुरु करा"; -"Your Rating" = "आपले रेटिंग"; -"No Internet!" = "इंटरनेट नाही आहे!"; -"Invalid Entry" = "अवैध एन्ट्री"; -"Loved it" = "अतिशय आवडला"; -"Review on the App Store" = "App Store मध्ये पुनरावलोकन करा"; -"Open Help" = "मदत उघडा"; -"Search" = "शोधा"; -"Tap here if you found this FAQ helpful" = "जर आपल्याला FAQ उपयुक्त वाटले असतील तर इथे टॅप करा"; -"Star" = "तारा"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "जर आपल्याला उत्तर उपयुक्त वाटले असेल तर इथे टॅप करा"; -"Report a problem" = "समस्या नोंदवा"; -"YES, THANKS!" = "होय, धन्यवाद!"; -"Was this helpful?" = "हे उपयुक्त होते का?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "आपला संदेश पाठवला गेला नाही.हा संदेश पाठवण्यासाठी\"Try Again\" वर टॅप करा?"; -"Suggestions" = "सूचना"; -"No FAQs found" = "कोणतेही FAQ सापडले नाहीत"; -"Done" = "झाले"; -"Opening Gallery..." = "गॅलेरी उघडत आहे..."; -"You rated the service with" = "आपण ह्या सेवेला ___ श्रेणीबद्ध केलेत."; -"Cancel" = "रद्द करा"; -"Close" = "बंद करा"; -"Loading..." = "लोड करत आहे..."; -"Read FAQs" = "FAQ वाचा"; -"Thanks for messaging us!" = "आम्हाला संदेश पाठवल्याबद्दल धन्यवाद!"; -"Try Again" = "पुन्हा प्रयत्न करा"; -"Send Feedback" = "अभिप्राय पाठवा"; -"Your Name" = "आपले नाव"; -"Please provide a name." = "कृपया एक नाव पुरवा"; -"FAQ" = "FAQ"; -"Describe your problem" = "आपल्या समस्येचे वर्णन करा"; -"How can we help?" = "आम्ही आपली काय मदत करू शकतो?"; -"Help about" = "विषयी मदत"; -"Name" = "नाव"; -"Sending failed!" = "पाठवणे अपयशी!"; -"We could not fetch the required data" = "आम्ही आवश्यक डेटा प्राप्त करू शकलो नाही"; -"You didn't find this helpful." = "आपल्याला हे उपयुक्त वाटले नाही."; -"Attach a screenshot of your problem" = "आपल्या समस्येचा स्क्रीन शॉट पाठवा"; -"Mark as read" = "वाचले आहे असे अंकित करा"; -"Name invalid" = "नाव अवैध आहे"; -"Yes" = "होय"; -"What's on your mind?" = "आपल्या मनात काय आहे?"; -"Send a new message" = "नवीन संदेश पाठवा"; -"Questions that may already have your answer" = "आपले उत्तर ज्यात आधीच असू शकेल असे प्रश्न"; -"Attach a photo" = "फोटो संलग्न करा"; -"Accept" = "स्वीकारा"; -"Your reply" = "आपले उत्तर"; -"Inbox" = "इनबॉक्स"; -"Remove attachment" = "संलग्न काढा"; -"Could not fetch message" = "संदेश प्राप्त करता आला नाही"; -"Read FAQ" = "FAQ वाचा"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "क्षमस्व! निष्क्रियतेमुळे हे संभाषण बंद करण्यात आले आहे. आमच्या एजंट्सशी नवीन संभाषण सुरु करा."; -"%d new messages from Support" = "%d समर्थनाकडून नवीन संदेश"; -"Ok, Attach" = "ठीक आहे,संलग्न करा"; -"Send" = "पाठवा"; -"Screenshot size should not exceed %.2f MB" = "स्क्रीन शॉट %.2f MB पेक्षा जास्त नसावा"; -"Information" = "माहिती"; -"Issue ID" = "समस्या आयडी"; -"Tap to copy" = "कॉपी करण्यासाठी टॅप करा"; -"Copied!" = "कॉपी केले आहे"; -"We couldn't find an FAQ with matching ID" = "आम्हाला जुळणाऱ्या ID चा FAQ सापडला नाही"; -"Failed to load screenshot" = "स्क्रीन शॉट उपलोड करण्यात अपयशी"; -"Failed to load video" = "व्हिडीओ उपलोड करण्यात अपयशी"; -"Failed to load image" = "प्रतिमा उपलोड करण्यात अपयशी"; -"Hold down your device's power and home buttons at the same time." = "आपल्या उपकरणाची पावर आणि होम बटणे एकत्र दाबून ठेवा"; -"Please note that a few devices may have the power button on the top." = "कृपया नोंद घ्या की काही उपकरणांमध्ये पावर बटण वर असू शकते"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "एकदा झाले, कि या संभाषणात परत या आणि संलग्न करण्यासाठी \"ठीक आहे, संलग्न करा\" वर टॅप करा."; -"Okay" = "ठीक आहे"; -"We couldn't find an FAQ section with matching ID" = "या ID शी जुळणारा FAQ आम्ही शोधू शकलो नाही"; - -"GIFs are not supported" = "GIF समर्थित नाहीत"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ms.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ms.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index a3a7fd70bc2a..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ms.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Tidak temui apa yang anda cari?"; -"Rate App" = "Nilaikan Apl"; -"We\'re happy to help you!" = "Kami gembira dapat membantu anda!"; -"Did we answer all your questions?" = "Adakah kami menjawab semua soalan anda?"; -"Remind Later" = "Ingatkan Kemudian"; -"Your message has been received." = "Mesej anda telah diterima."; -"Message send failure." = "Kegagalan menghantar mesej."; -"What\'s your feedback about our customer support?" = "Apakah maklum balas anda tentang sokongan pelanggan kami?"; -"Take a screenshot on your iPhone" = "Ambil syot layar pada iPhone anda"; -"Learn how" = "Ketahui caranya"; -"Take a screenshot on your iPad" = "Ambil syot layar pada iPad anda"; -"Your email(optional)" = "E-mel anda(pilihan)"; -"Conversation" = "Perbincangan"; -"View Now" = "Lihat Sekarang"; -"SEND ANYWAY" = "HANTAR JUGA"; -"OK" = "OK"; -"Help" = "Bantuan"; -"Send message" = "Hantar mesej"; -"REVIEW" = "SEMAK SEMULA"; -"Share" = "Kongsi"; -"Close Help" = "Tutup Bantuan"; -"Sending your message..." = "Menghantar mesej anda..."; -"Learn how to" = "Ketahui caranya"; -"No FAQs found in this section" = "Tiada Soalan Lazim ditemui dalam seksyen ini"; -"Thanks for contacting us." = "Terima kasih kerana menghubungi kami."; -"Chat Now" = "Sembang Sekarang"; -"Buy Now" = "Beli Sekarang"; -"New Conversation" = "Perbincangan Baharu"; -"Please check your network connection and try again." = "Sila semak sambungan rangkaian anda dan cuba lagi."; -"New message from Support" = "Mesej baharu daripada Sokongan"; -"Question" = "Soalan"; -"Type in a new message" = "Taip di dalam mesej baharu"; -"Email (optional)" = "E-mel (pilihan)"; -"Reply" = "Balas"; -"CONTACT US" = "HUBUNGI KAMI"; -"Email" = "E-mel"; -"Like" = "Suka"; -"Tap here if this FAQ was not helpful to you" = "Ketik di sini jika Soalan Lazim ini tidak membantu anda"; -"Any other feedback? (optional)" = "Sebarang maklum balas lain? (pilihan)"; -"You found this helpful." = "Anda mendapati ia membantu."; -"No working Internet connection is found." = "Tiada sambungan Internet yang berfungsi ditemui."; -"No messages found." = "Tiada mesej ditemui."; -"Please enter a brief description of the issue you are facing." = "Sila masukkan huraian ringkas mengenai isu yang anda hadapi."; -"Shop Now" = "Beli-belah Sekarang"; -"Close Section" = "Tutup Seksyen"; -"Close FAQ" = "Tutup Soalan Lazim"; -"Close" = "Tutup"; -"This conversation has ended." = "Perbincangan ini sudah tamat."; -"Send it anyway" = "Hantarkan juga"; -"You accepted review request." = "Anda menerima permintaan untuk mengulas."; -"Delete" = "Padam"; -"What else can we help you with?" = "Apa lagi yang boleh kami bantu anda?"; -"Tap here if the answer was not helpful to you" = "Ketik di sini jika jawapan itu tidak membantu anda"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Kami kesal mendengarnya. Boleh beritahu kami sedikit lagi tentang masalah yang anda hadapi?"; -"Service Rating" = "Penarafan Perkhidmatan"; -"Your email" = "E-mel anda"; -"Email invalid" = "E-mel tidak sah"; -"Could not fetch FAQs" = "Tidak dapat mengambil soalan lazim"; -"Thanks for rating us." = "Terima kasih kerana menilai kami."; -"Download" = "Muat turun"; -"Please enter a valid email" = "Sila masukkan e-mel yang sah"; -"Message" = "Mesej"; -"or" = "atau"; -"Decline" = "Tolak"; -"No" = "Tidak"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Syot layar tidak dapat dihantar. Imej terlalu besar, cuba lagi dengan imej lain"; -"Hated it" = "Membencinya"; -"Stars" = "Bintang"; -"Your feedback has been received." = "Maklum balas anda telah diterima."; -"Dislike" = "Tidak suka"; -"Preview" = "Pratonton"; -"Book Now" = "Tempah Sekarang"; -"START A NEW CONVERSATION" = "MULAKAN PERBINCANGAN BAHARU"; -"Your Rating" = "Penarafan Anda"; -"No Internet!" = "Tiada Internet!"; -"Invalid Entry" = "Entri Tidak Sah"; -"Loved it" = "Menyukainya"; -"Review on the App Store" = "Beri ulasan di Gedung Apl"; -"Open Help" = "Buka Bantuan"; -"Search" = "Cari"; -"Tap here if you found this FAQ helpful" = "Ketik di sini jika anda mendapati Soalan Lazim ini membantu"; -"Star" = "Bintang"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Ketik di sini jika anda mendapati jawapan ini membantu"; -"Report a problem" = "Laporkan masalah"; -"YES, THANKS!" = "YA, TERIMA KASIH!"; -"Was this helpful?" = "Adakah ini membantu?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Mesej anda belum dihantar. Ketik \"Cuba Lagi\" untuk menghantar mesej ini?"; -"Suggestions" = "Cadangan"; -"No FAQs found" = "Tiada Soalan Lazim ditemui"; -"Done" = "Selesai"; -"Opening Gallery..." = "Membuka Galeri..."; -"You rated the service with" = "Anda nilaikan perkhidmatan ini dengan"; -"Cancel" = "Batal"; -"Loading..." = "Memuatkan..."; -"Read FAQs" = "Baca Soalan-soalan Lazim"; -"Thanks for messaging us!" = "Terima kasih kerana menghantar mesej kepada kami!"; -"Try Again" = "Cuba Lagi"; -"Send Feedback" = "Hantar Maklum Balas"; -"Your Name" = "Nama Anda"; -"Please provide a name." = "Sila berikan nama."; -"FAQ" = "Soalan Lazim"; -"Describe your problem" = "Huraikan masalah anda"; -"How can we help?" = "Bagaimana kami boleh membantu?"; -"Help about" = "Bantuan tentang"; -"We could not fetch the required data" = "Kami tidak dapat mengambil data yang diperlukan"; -"Name" = "Nama"; -"Sending failed!" = "Penghantaran gagal!"; -"You didn't find this helpful." = "Anda tidak mendapatinya membantu."; -"Attach a screenshot of your problem" = "Lampirkan syot layar tentang masalah anda"; -"Mark as read" = "Tanda sudah baca"; -"Name invalid" = "Nama tidak sah"; -"Yes" = "Ya"; -"What's on your mind?" = "Apa yang anda fikirkan?"; -"Send a new message" = "Hantar mesej baharu"; -"Questions that may already have your answer" = "Soalan yang mungkin sudah ada jawapan anda"; -"Attach a photo" = "Lampirkan foto"; -"Accept" = "Terima"; -"Your reply" = "Jawapan anda"; -"Inbox" = "Peti masuk"; -"Remove attachment" = "Buang lampiran"; -"Could not fetch message" = "Tidak dapat mengambil mesej"; -"Read FAQ" = "Baca Soalan Lazim"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Maaf! Perbincangan ini telah ditutup kerana tidak aktif. Sila mulakan perbincangan baharu dengan ejen kami."; -"%d new messages from Support" = "%d mesej baharu daripada Sokongan"; -"Ok, Attach" = "Ok, Lampirkan"; -"Send" = "Hantar"; -"Screenshot size should not exceed %.2f MB" = "Saiz syot layar tidak sepatutnya melebihi %.2f MB"; -"Information" = "Maklumat"; -"Issue ID" = "ID Isu"; -"Tap to copy" = "Ketik untuk salin"; -"Copied!" = "Disalin!"; -"We couldn't find an FAQ with matching ID" = "Kami tidak menemui Soalan Lazim dengan ID yang sepadan"; -"Failed to load screenshot" = "Gagal memuatkan syot layar"; -"Failed to load video" = "Gagal memuatkan video"; -"Failed to load image" = "Gagal memuatkan imej"; -"Hold down your device's power and home buttons at the same time." = "Tekan terus butang kuasa dan butang utama peranti anda secara serentak."; -"Please note that a few devices may have the power button on the top." = "Sila ambil perhatian bahawa sesetengah peranti mungkin mempunyai butang kuasa di bahagian atas."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Setelah selesai, kembali ke perbincangan ini dan ketik \"Ok, lampirkan\" untuk melampirkannya."; -"Okay" = "Okey"; -"We couldn't find an FAQ section with matching ID" = "Kami tidak menemui seksyen Soalan Lazim dengan ID yang sepadan"; - -"GIFs are not supported" = "GIF tidak disokong"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb-NO.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb-NO.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index c5e05f2d2294..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb-NO.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* - HelpshiftLocalizable.strings - Helpshift - Copyright (c) 2014 Helpshift,Inc., All rights reserved. - */ - -"Can't find what you were looking for?" = "Can't find what you were looking for?"; -"Rate App" = "Rate App"; -"We\'re happy to help you!" = "We\'re happy to help you!"; -"What's on your mind?" = "What's on your mind?"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?"; -"Thanks for contacting us." = "Thanks for contacting us."; -"Remind Later" = "Remind Later"; -"Your message has been received." = "Your message has been received."; -"Message send failure." = "Message send failure."; -"Hated it" = "Hated it"; -"What\'s your feedback about our customer support?" = "What\'s your feedback about our customer support?"; -"Take a screenshot on your iPhone" = "Take a screenshot on your iPhone"; -"Learn how" = "Learn how"; -"Take a screenshot on your iPad" = "Take a screenshot on your iPad"; -"Name invalid" = "Name invalid"; -"View Now" = "View Now"; -"SEND ANYWAY" = "SEND ANYWAY"; -"Help" = "Help"; -"Send message" = "Send message"; -"REVIEW" = "REVIEW"; -"Share" = "Share"; -"Close Help" = "Close Help"; -"Loved it" = "Loved it"; -"Learn how to" = "Learn how to"; -"Chat Now" = "Chat Now"; -"Buy Now" = "Buy Now"; -"New Conversation" = "New Conversation"; -"Please check your network connection and try again." = "Please check your network connection and try again."; -"New message from Support" = "New message from Support"; -"Question" = "Question"; -"No FAQs found in this section" = "No FAQs found in this section"; -"Type in a new message" = "Type in a new message"; -"Email (optional)" = "Email (optional)"; -"Reply" = "Reply"; -"CONTACT US" = "CONTACT US"; -"Email" = "Email"; -"Like" = "Like"; -"Sending your message..." = "Sending your message..."; -"Tap here if this FAQ was not helpful to you" = "Tap here if this FAQ was not helpful to you"; -"Any other feedback? (optional)" = "Any other feedback? (optional)"; -"You found this helpful." = "You found this helpful."; -"No working Internet connection is found." = "No working Internet connection is found."; -"No messages found." = "No messages found."; -"Please enter a brief description of the issue you are facing." = "Please enter a brief description of the issue you are facing."; -"Shop Now" = "Shop Now"; -"Email invalid" = "Email invalid"; -"Did we answer all your questions?" = "Did we answer all your questions?"; -"Close Section" = "Close Section"; -"Close FAQ" = "Close FAQ"; -"Close" = "Close"; -"This conversation has ended." = "This conversation has ended."; -"Send it anyway" = "Send it anyway"; -"You accepted review request." = "You accepted review request."; -"Delete" = "Delete"; -"Invalid Entry" = "Invalid Entry"; -"Tap here if the answer was not helpful to you" = "Tap here if the answer was not helpful to you"; -"Service Rating" = "Service Rating"; -"Thanks for messaging us!" = "Thanks for messaging us!"; -"Could not fetch FAQs" = "Could not fetch FAQs"; -"Thanks for rating us." = "Thanks for rating us."; -"Download" = "Download"; -"Please enter a valid email" = "Please enter a valid email"; -"Message" = "Message"; -"or" = "or"; -"Your email" = "Your email"; -"Decline" = "Decline"; -"No" = "No"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Screenshot could not be sent. Image is too large, try again with another image"; -"Stars" = "Stars"; -"Your feedback has been received." = "Your feedback has been received."; -"Dislike" = "Dislike"; -"Preview" = "Preview"; -"Book Now" = "Book Now"; -"START A NEW CONVERSATION" = "START A NEW CONVERSATION"; -"Your Rating" = "Your Rating"; -"No Internet!" = "No Internet!"; -"You didn't find this helpful." = "You didn't find this helpful."; -"Review on the App Store" = "Review on the App Store"; -"Open Help" = "Open Help"; -"Search" = "Search"; -"Tap here if you found this FAQ helpful" = "Tap here if you found this FAQ helpful"; -"Star" = "Star"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tap here if you found this answer helpful"; -"Report a problem" = "Report a problem"; -"YES, THANKS!" = "YES, THANKS!"; -"Was this helpful?" = "Was this helpful?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Your message was not sent.Tap \"Try Again\" to send this message?"; -"OK" = "OK"; -"Suggestions" = "Suggestions"; -"No FAQs found" = "No FAQs found"; -"Done" = "Done"; -"Opening Gallery..." = "Opening Gallery..."; -"Cancel" = "Cancel"; -"Could not fetch message" = "Could not fetch message"; -"Read FAQs" = "Read FAQs"; -"Try Again" = "Try Again"; -"%d new messages from Support" = "%d new messages from Support"; -"Your Name" = "Your Name"; -"Please provide a name." = "Please provide a name."; -"You rated the service with" = "You rated the service with"; -"What else can we help you with?" = "What else can we help you with?"; -"FAQ" = "FAQ"; -"Describe your problem" = "Describe your problem"; -"How can we help?" = "How can we help?"; -"Help about" = "Help about"; -"Send Feedback" = "Send Feedback"; -"We could not fetch the required data" = "We could not fetch the required data"; -"Name" = "Name"; -"Sending failed!" = "Sending failed!"; -"Attach a screenshot of your problem" = "Attach a screenshot of your problem"; -"Mark as read" = "Mark as read"; -"Loading..." = "Loading..."; -"Yes" = "Yes"; -"Send a new message" = "Send a new message"; -"Your email(optional)" = "Your email(optional)"; -"Conversation" = "Conversation"; -"Questions that may already have your answer" = "Questions that may already have your answer"; -"Attach a photo" = "Attach a photo"; -"Accept" = "Accept"; -"Your reply" = "Your reply"; -"Inbox" = "Inbox"; -"Remove attachment" = "Remove attachment"; -"Read FAQ" = "Read FAQ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents."; -"Ok, Attach" = "Ok, Attach"; -"Send" = "Send"; -"Screenshot size should not exceed %.2f MB" = "Screenshot size should not exceed %.2f MB"; -"Information" = "Information"; -"Issue ID" = "Issue ID"; -"Tap to copy" = "Tap to copy"; -"Copied!" = "Copied!"; -"We couldn't find an FAQ with matching ID" = "We couldn't find an FAQ with matching ID"; -"Failed to load screenshot" = "Failed to load screenshot"; -"Failed to load video" = "Failed to load video"; -"Failed to load image" = "Failed to load image"; -"Hold down your device's power and home buttons at the same time." = "Hold down your device's power and home buttons at the same time."; -"Please note that a few devices may have the power button on the top." = "Please note that a few devices may have the power button on the top."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Once done, come back to this conversation and tap on \"Ok, attach\" to attach it."; -"Okay" = "Okay"; -"We couldn't find an FAQ section with matching ID" = "We couldn't find an FAQ section with matching ID"; - -"GIFs are not supported" = "GIFs are not supported"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index bf7a2099b7f5..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nb.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Finner du ikke det du leter etter?"; -"Rate App" = "Vurder appen"; -"We\'re happy to help you!" = "Vi hjelper deg gjerne!"; -"Did we answer all your questions?" = "Ble alle spørsmålene dine besvart?"; -"Remind Later" = "Minn meg på det senere"; -"Your message has been received." = "Meldingen din er mottatt."; -"Message send failure." = "Sending av melding mislyktes."; -"What\'s your feedback about our customer support?" = "Hva er din tilbakemelding om kundestøtten?"; -"Take a screenshot on your iPhone" = "Ta skjermbilde på din iPhone"; -"Learn how" = "Lær hvordan"; -"Take a screenshot on your iPad" = "Ta skjermbilde på din iPad"; -"Your email(optional)" = "E-postadressen din (valgfritt)"; -"Conversation" = "Samtale"; -"View Now" = "Vis nå"; -"SEND ANYWAY" = "SEND ALLIKEVEL"; -"OK" = "OK"; -"Help" = "Hjelp"; -"Send message" = "Send melding"; -"REVIEW" = "VURDER"; -"Share" = "Del"; -"Close Help" = "Lukk hjelp"; -"Sending your message..." = "Sender meldingen din …"; -"Learn how to" = "Lær om"; -"No FAQs found in this section" = "Ingen vanlige spørsmål i denne delen"; -"Thanks for contacting us." = "Takk for at du tok kontakt."; -"Chat Now" = "Chat nå"; -"Buy Now" = "Kjøp nå"; -"New Conversation" = "Ny samtale"; -"Please check your network connection and try again." = "Sjekk nettverkstilkoblingen din, og prøv igjen."; -"New message from Support" = "Ny melding fra kundestøtte"; -"Question" = "Spørsmål"; -"Type in a new message" = "Skriv en ny melding"; -"Email (optional)" = "E-post (valgfritt)"; -"Reply" = "Svar"; -"CONTACT US" = "TA KONTAKT"; -"Email" = "E-post"; -"Like" = "Liker"; -"Tap here if this FAQ was not helpful to you" = "Trykk her hvis dette vanlige svaret ikke var nyttig"; -"Any other feedback? (optional)" = "Har du andre tilbakemeldinger? (Valgfritt.)"; -"You found this helpful." = "Du syntes dette var hjelpsomt."; -"No working Internet connection is found." = "Ingen Internett-forbindelse ble funnet."; -"No messages found." = "Ingen meldinger ble funnet."; -"Please enter a brief description of the issue you are facing." = "Vennligst gi en kort beskrivelse av problemet."; -"Shop Now" = "Handle nå"; -"Close Section" = "Lukk del"; -"Close FAQ" = "Lukk vanlige spørsmål"; -"Close" = "Lukk"; -"This conversation has ended." = "Samtalen er avsluttet."; -"Send it anyway" = "Send allikevel"; -"You accepted review request." = "Du godtok forespørselen om en anmeldelse."; -"Delete" = "Slett"; -"What else can we help you with?" = "Er det noe annet vi kan hjelpe deg med?"; -"Tap here if the answer was not helpful to you" = "Trykk her hvis svaret ikke var nyttig"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Beklager! Kan du fortelle oss litt mer om problemet?"; -"Service Rating" = "Vurder kundeservice"; -"Your email" = "E-postadressen din"; -"Email invalid" = "Ugyldig e-post"; -"Could not fetch FAQs" = "Kunne ikke hente vanlige spørsmål"; -"Thanks for rating us." = "Takk for at du ga oss en vurdering."; -"Download" = "Last ned"; -"Please enter a valid email" = "Oppgi en gyldig e-postadresse"; -"Message" = "Melding"; -"or" = "eller"; -"Decline" = "Avslå"; -"No" = "Nei"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Skjermbildet kunne ikke sendes, da filen er for stor. Prøv med et annet bilde."; -"Hated it" = "Misliker"; -"Stars" = "Stjerner"; -"Your feedback has been received." = "Tilbakemeldingen din er mottatt."; -"Dislike" = "Misliker"; -"Preview" = "Forhåndsvisning"; -"Book Now" = "Bestill nå"; -"START A NEW CONVERSATION" = "START NY SAMTALE"; -"Your Rating" = "Din vurdering"; -"No Internet!" = "Ingen Internett-forbindelse."; -"Invalid Entry" = "Ugyldig tekst"; -"Loved it" = "Liker"; -"Review on the App Store" = "Anmeld på App Store"; -"Open Help" = "Åpne hjelp"; -"Search" = "Søk"; -"Tap here if you found this FAQ helpful" = "Trykk her hvis dette vanlige svaret var nyttig"; -"Star" = "Stjerne"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Trykk her hvis svaret var nyttig"; -"Report a problem" = "Rapporter et problem"; -"YES, THANKS!" = "JA, TAKK!"; -"Was this helpful?" = "Var dette hjelpsomt?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Meldingen din ble ikke sendt.Trykk \"Prøv igjen\" for å sende denne meldingen?"; -"Suggestions" = "Forslag"; -"No FAQs found" = "Ingen vanlige spørsmål"; -"Done" = "Ferdig"; -"Opening Gallery..." = "Åpner bildegalleri …"; -"You rated the service with" = "Du vurderte tjenesten"; -"Cancel" = "Avbryt"; -"Loading..." = "Laster inn …"; -"Read FAQs" = "Les vanlige spørsmål"; -"Thanks for messaging us!" = "Takk for at du skrev til oss!"; -"Try Again" = "Prøv igjen"; -"Send Feedback" = "Send tilbakemelding"; -"Your Name" = "Navnet ditt"; -"Please provide a name." = "Vennligst oppgi et navn."; -"FAQ" = "Vanlige spørsmål"; -"Describe your problem" = "Beskriv problemet"; -"How can we help?" = "Hva kan vi hjelpe deg med?"; -"Help about" = "Hjelp med"; -"We could not fetch the required data" = "Vi kunne ikke hente nødvendige data"; -"Name" = "Navn"; -"Sending failed!" = "Sending mislyktes!"; -"You didn't find this helpful." = "Du syntes ikke dette var nyttig."; -"Attach a screenshot of your problem" = "Legg ved et skjermbilde av problemet"; -"Mark as read" = "Merk som lest"; -"Name invalid" = "Ugyldig navn"; -"Yes" = "Ja"; -"What's on your mind?" = "Hva har du på hjertet?"; -"Send a new message" = "Send en ny melding"; -"Questions that may already have your answer" = "Spørsmål som allerede kan ha blitt besvart"; -"Attach a photo" = "Legg ved et bilde"; -"Accept" = "Godta"; -"Your reply" = "Svaret ditt"; -"Inbox" = "Innboks"; -"Remove attachment" = "Fjern vedlegg"; -"Could not fetch message" = "Kunne ikke hente melding"; -"Read FAQ" = "Les vanlige spørsmål"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Beklager, denne samtalen ble lukket på grunn av manglende aktivitet. Vennligst start en ny samtale med våre agenter."; -"%d new messages from Support" = "%d nye meldinger fra kundestøtte."; -"Ok, Attach" = "OK, legg ved"; -"Send" = "Send"; -"Screenshot size should not exceed %.2f MB" = "Skjermbildet kan ikke ta mer enn %.2f MB"; -"Information" = "Informasjon"; -"Issue ID" = "Emne-ID"; -"Tap to copy" = "Trykk for å kopiere"; -"Copied!" = "Kopiert!"; -"We couldn't find an FAQ with matching ID" = "Kunne ikke finne vanlige spørsmål med matchende ID"; -"Failed to load screenshot" = "Kunne ikke laste inn skjermbilde"; -"Failed to load video" = "Kunne ikke laste inn video"; -"Failed to load image" = "Kunne ikke laste inn bilde"; -"Hold down your device's power and home buttons at the same time." = "Trykk samtidig inn Dvale/våkne-knappen og Hjem-knappen på enheten."; -"Please note that a few devices may have the power button on the top." = "På enkelte enheter kan Dvale/våkne-knappen være øverst."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Kom så tilbake til denne samtalen og trykk på «OK, legg ved» for å legge ved skjermbildet."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Kunne ikke finne Vanlige spørsmål-del med matchende ID"; - -"GIFs are not supported" = "GIFer støttes ikke"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nl.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nl.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index acd3fc499618..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/nl.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Kun je niet vinden wat je zoekt?"; -"Rate App" = "Beoordeel onze app"; -"We\'re happy to help you!" = "We helpen u graag!"; -"Did we answer all your questions?" = "Hebben we al je vragen beantwoord?"; -"Remind Later" = "Herinner mij later"; -"Your message has been received." = "We hebben je bericht ontvangen."; -"Message send failure." = "Bericht niet verstuurd."; -"What\'s your feedback about our customer support?" = "Wat vindt u van de klantenondersteuning?"; -"Take a screenshot on your iPhone" = "Maak een screenshot op je iPhone"; -"Learn how" = "Ontdek hoe"; -"Take a screenshot on your iPad" = "Maak een screenshot op je iPad"; -"Your email(optional)" = "Uw e-mail (optioneel)"; -"Conversation" = "Gesprek"; -"View Now" = "Nu bekijken"; -"SEND ANYWAY" = "TOCH VERSTUREN"; -"OK" = "OK"; -"Help" = "Help"; -"Send message" = "Bericht versturen"; -"REVIEW" = "RECENSIE"; -"Share" = "Delen"; -"Close Help" = "Help sluiten"; -"Sending your message..." = "Je bericht is verstuurd..."; -"Learn how to" = "Ontdek hoe"; -"No FAQs found in this section" = "Geen FAQ's gevonden in dit gedeelte"; -"Thanks for contacting us." = "Bedankt dat u contact met ons heeft opgenomen."; -"Chat Now" = "Nu chatten"; -"Buy Now" = "Nu kopen"; -"New Conversation" = "Nieuw bericht"; -"Please check your network connection and try again." = "Controleer je internetverbinding en probeer het opnieuw."; -"New message from Support" = "Nieuw bericht van Support"; -"Question" = "Vraag"; -"Type in a new message" = "Nieuw bericht schrijven"; -"Email (optional)" = "E-mail (optioneel)"; -"Reply" = "Beantwoorden"; -"CONTACT US" = "CONTACT"; -"Email" = "E-mail"; -"Like" = "Leuk"; -"Tap here if this FAQ was not helpful to you" = "Tik hier als deze FAQ u niet heeft geholpen"; -"Any other feedback? (optional)" = "Heb je nog andere feedback? (optioneel)"; -"You found this helpful." = "U vond dit nuttig."; -"No working Internet connection is found." = "We hebben geen werkende internetverbinding kunnen vinden."; -"No messages found." = "Geen berichten gevonden."; -"Please enter a brief description of the issue you are facing." = "Geef een korte beschrijving van het probleem."; -"Shop Now" = "Nu winkelen"; -"Close Section" = "Onderdeel sluiten"; -"Close FAQ" = "FAQ sluiten"; -"Close" = "Sluiten"; -"This conversation has ended." = "Dit gesprek is afgelopen."; -"Send it anyway" = "Toch versturen"; -"You accepted review request." = "U heeft het recensieverzoek geaccepteerd."; -"Delete" = "Verwijderen"; -"What else can we help you with?" = "Kunnen we je nog ergens anders mee helpen?"; -"Tap here if the answer was not helpful to you" = "Tik hier als het antwoord u niet heeft geholpen"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Jammer dat te horen. Kun je ons iets meer over het probleem vertellen?"; -"Service Rating" = "Servicewaardering"; -"Your email" = "Uw e-mail"; -"Email invalid" = "Ongeldig e-mailadres"; -"Could not fetch FAQs" = "De FAQ's konden niet op worden gehaald"; -"Thanks for rating us." = "Bedankt voor je beoordeling."; -"Download" = "Downloaden"; -"Please enter a valid email" = "Geef een geldig e-mailadres op"; -"Message" = "Bericht"; -"or" = "of"; -"Decline" = "Weigeren"; -"No" = "Nee"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Het screenshot kon niet worden verstuurd. De afbeelding is te groot, probeer het met een andere afbeelding."; -"Hated it" = "Waardeloos"; -"Stars" = "Sterren"; -"Your feedback has been received." = "We hebben je feedback ontvangen."; -"Dislike" = "Niet leuk"; -"Preview" = "Preview"; -"Book Now" = "Nu boeken"; -"START A NEW CONVERSATION" = "START EEN NIEUW BERICHT"; -"Your Rating" = "Jouw beoordeling"; -"No Internet!" = "Geen internet!"; -"Invalid Entry" = "Ongeldige invoer"; -"Loved it" = "Geweldig"; -"Review on the App Store" = "Beoordelen in de App Store"; -"Open Help" = "Help openen"; -"Search" = "Zoeken"; -"Tap here if you found this FAQ helpful" = "Tik hier als deze FAQ u heeft geholpen"; -"Star" = "Ster"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tik hier als het antwoord u heeft geholpen"; -"Report a problem" = "Een probleem melden"; -"YES, THANKS!" = "JA, BEDANKT!"; -"Was this helpful?" = "Had je hier wat aan?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Je bericht is niet verstuurd. Tik op \"Opnieuw proberen\" om het bericht te versturen."; -"Suggestions" = "Suggesties"; -"No FAQs found" = "Geen FAQ's gevonden"; -"Done" = "Klaar"; -"Opening Gallery..." = "Foto's openen..."; -"You rated the service with" = "U hebt de dienst beoordeeld met"; -"Cancel" = "Annuleren"; -"Loading..." = "Laden..."; -"Read FAQs" = "FAQ's lezen"; -"Thanks for messaging us!" = "Bedankt dat u ons een bericht heeft gestuurd!"; -"Try Again" = "Opnieuw proberen"; -"Send Feedback" = "Feedback vesturen"; -"Your Name" = "Uw naam"; -"Please provide a name." = "Geef een geldige naam op."; -"FAQ" = "FAQ"; -"Describe your problem" = "Omschrijf het probleem"; -"How can we help?" = "Hoe kunnen we je helpen?"; -"Help about" = "Hulp voor"; -"We could not fetch the required data" = "We hebben de vereiste gegevens niet op kunnen halen"; -"Name" = "Naam"; -"Sending failed!" = "Versturen mislukt!"; -"You didn't find this helpful." = "U vond dit niet nuttig."; -"Attach a screenshot of your problem" = "Een screenshot van het probleem toevoegen"; -"Mark as read" = "Markeren als gelezen"; -"Name invalid" = "Ongeldige naam"; -"Yes" = "Ja"; -"What's on your mind?" = "Waar zit je mee?"; -"Send a new message" = "Nieuw bericht versturen"; -"Questions that may already have your answer" = "Vragen die jouw antwoord misschien al bevatten"; -"Attach a photo" = "Foto toevoegen"; -"Accept" = "Accepteren"; -"Your reply" = "Uw reactie"; -"Inbox" = "Postvak IN"; -"Remove attachment" = "Bijlage verwijderen"; -"Could not fetch message" = "Bericht kon niet worden opgehaald"; -"Read FAQ" = "FAQ lezen"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Dit gesprek is vanwege inactiviteit afgesloten. Start een nieuw gesprek met een van onze agenten."; -"%d new messages from Support" = "%d nieuwe berichten van Ondersteuning"; -"Ok, Attach" = "Ok, bijvoegen"; -"Send" = "Versturen"; -"Screenshot size should not exceed %.2f MB" = "Screenshot mag niet groter zijn dan %.2f MB"; -"Information" = "Informatie"; -"Issue ID" = "Probleem-ID"; -"Tap to copy" = "Tik om te kopiëren"; -"Copied!" = "Gekopieerd!"; -"We couldn't find an FAQ with matching ID" = "We konden geen FAQ vinden met overeenkomstige ID"; -"Failed to load screenshot" = "Laden schermafbeelding mislukt"; -"Failed to load video" = "Laden video mislukt"; -"Failed to load image" = "Laden afbeelding mislukt"; -"Hold down your device's power and home buttons at the same time." = "Houd de sluimerknop en de thuisknop van je apparaat tegelijkertijd ingedrukt."; -"Please note that a few devices may have the power button on the top." = "Let op: de sluimerknop kan bij sommige apparaten bovenaan zitten."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Ga na het maken van je schermafbeelding terug naar dit gesprek en tik op 'Oké, toevoegen' om deze toe te voegen."; -"Okay" = "Oké"; -"We couldn't find an FAQ section with matching ID" = "We konden geen FAQ-gedeelte vinden met overeenkomstige ID"; - -"GIFs are not supported" = "GIF's worden niet ondersteund"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pa.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pa.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 9ba050188892..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pa.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "ਇਹ ਪਤਾ ਨਹੀਂ ਲਗਾ ਸਕੇ ਕਿ ਤੁਸੀਂ ਕਿਸ ਚੀਜ਼ ਦੀ ਖੋਜ ਕਰ ਰਹੇ ਹੋ?"; -"Rate App" = "ਐਪ ਨੂੰ ਰੇਟ ਕਰੋ"; -"We\'re happy to help you!" = "ਅਸੀਂ ਤੁਹਾਡੀ ਮਦਦ ਕਰਕੇ ਖੁਸ਼ ਹਾਂ!"; -"Did we answer all your questions?" = "ਕੀ ਅਸੀਂ ਤੁਹਾਡਾ ਸਾਰੇ ਸਵਾਲਾਂ ਦਾ ਜਵਾਬ ਦਿੱਤਾ?"; -"Remind Later" = "ਬਾਅਦ ਵਿੱਚ ਯਾਦ ਕਰਾਓ"; -"Your message has been received." = "ਤੁਹਾਡਾ ਸੁਨੇਹਾ ਪ੍ਰਾਪਤ ਕਰ ਲਿਆ ਗਿਆ ਹੈ।"; -"Message send failure." = "ਸੁਨੇਹਾ ਭੇਜਣ ਦੀ ਅਸਫਲਤਾ।"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "ਤੁਹਾਡਾ ਸੁਨੇਹਾ ਭੇਜਿਆ ਨਹੀਂ ਗਿਆ ਸੀ। ਇਸ ਸੁਨੇਹੇ ਨੂੰ ਭੇਜਣ ਲਈ \"ਦੁਬਾਰਾ ਕੋਸ਼ਿਸ਼ ਕਰੋ\"ਤੇ ਟੈਪ ਕਰਨਾ ਹੈ?"; -"What\'s your feedback about our customer support?" = "ਸਾਡੇ ਗ੍ਰਾਹਕ ਸਮਰਥਨ ਬਾਰੇ ਤੁਹਾਡੀ ਫੀਡਬੈਕ ਕੀ ਹੈ?"; -"Take a screenshot on your iPhone" = "ਆਪਣੇ iPhone ਉੱਤੇ ਇੱਕ ਸਕਰੀਨਸ਼ੌਟ ਲਓ"; -"Learn how" = "ਸਿੱਖੇ ਕਿ ਕਿਵੇਂ"; -"Take a screenshot on your iPad" = "ਆਪਣੇ iPad ਉੱਤੇ ਇੱਕ ਸਕਰੀਨਸ਼ੌਟ ਲਓ"; -"Your email(optional)" = "ਤੁਹਾਡੀ ਈਮੇਲ (ਚੋਣਵੀਂ)"; -"Conversation" = "ਵਾਰਤਾਲਾਪ"; -"View Now" = "ਹੁਣੇ ਦੇਖੋ"; -"SEND ANYWAY" = "ਫੇਰ ਵੀ ਭੇਜੋ"; -"OK" = "ਠੀਕ ਹੈ"; -"Help" = "ਮਦਦ"; -"Send message" = "ਸੰਦੇਸ਼ ਭੇਜੋ"; -"REVIEW" = "ਸਮੀਖਿਆ"; -"Share" = "ਸਾਂਝਾ ਕਰੋ"; -"Close Help" = "ਮਦਦ ਨੂੰ ਬੰਦ ਕਰੋ"; -"Sending your message..." = "ਤੁਹਾਡਾ ਸੁਨੇਹਾ ਭੇਜਿਆ ਜਾ ਰਿਹਾ..."; -"Learn how to" = "ਸਿੱਖੇ ਕਿ ਕਿਵੇਂ"; -"No FAQs found in this section" = "ਇਸ ਸੈਕਸ਼ਨ ਵਿੱਚ ਕੋਈ FAQ ਨਹੀਂ ਮਿਲੇ"; -"Thanks for contacting us." = "ਸਾਡੇ ਨਾਲ ਸੰਪਰਕ ਕਰਨ ਲਈ ਧੰਨਵਾਦ!"; -"Chat Now" = "ਹੁਣੇ ਚੈਟ ਕਰੋ"; -"Buy Now" = "ਹੁਣੇ ਖਰੀਦੋ"; -"New Conversation" = "ਨਵਾਂ ਵਾਰਤਾਲਾਪ"; -"Please check your network connection and try again." = "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਇੰਟਰਨੈਟ ਕਨੈਕਸ਼ਨ ਦੀ ਜਾਂਚ ਕਰੋ ਅਤੇ ਦੁਬਾਰਾ ਕੋਸ਼ਿਸ਼ ਕਰੋ।"; -"New message from Support" = "ਸਹਾਇਤਾ ਵਲੋਂ ਨਵਾਂ ਸੁਨੇਹਾ"; -"Question" = "ਪ੍ਰਸ਼ਨ"; -"Type in a new message" = "ਇੱਕ ਨਵਾਂ ਸੁਨੇਹਾ ਟਾਈਪ ਕਰੋ"; -"Email (optional)" = "ਈਮੇਲ (ਚੋਣਵਾਂ)"; -"Reply" = "ਜਵਾਬ ਦਿਓ"; -"CONTACT US" = "ਸਾਡੇ ਨਾਲ ਸੰਪਰਕ ਕਰੋ"; -"Email" = "ਈਮੇਲ"; -"Like" = "ਪਸੰਦ ਕਰੋ"; -"Tap here if this FAQ was not helpful to you" = "ਇੱਥੇ ਟੈਪ ਕਰੋ ਜੇ ਇਹ FAQ ਤੁਹਾਡੇ ਲਈ ਸਹਾਇਕ ਨਹੀਂ ਸੀ"; -"Any other feedback? (optional)" = "ਕੋਈ ਹੋਰ ਫੀਡਬੈਕ ਹੈ?(ਵਿਕਲਪਕ)"; -"You found this helpful." = "ਤੁਹਾਨੂੰ ਇਹ ਸਹਾਇਕ ਲੱਗਿਆ।"; -"No working Internet connection is found." = "ਕੋਈ ਕਾਰਜਸ਼ੀਲ ਇੰਟਰਨੈਟ ਕਨੈਕਸ਼ਨ ਨਹੀਂ ਮਿਲਿਆ ਹੈ।"; -"No messages found." = "ਕੋਈ ਸੁਨੇਹੇ ਨਹੀਂ ਮਿਲੇ।"; -"Please enter a brief description of the issue you are facing." = "ਕਿਰਪਾ ਕਰਕੇ ਆਪਣੇ ਵਲੋਂ ਸਾਮ੍ਹਣਾ ਕੀਤੇ ਜਾ ਰਹੇ ਮੁੱਦੇ ਦਾ ਸੰਖਿਪਤ ਵਰਣਨ ਦਾਖ਼ਲ ਕਰੋ।"; -"Shop Now" = "ਹੁਣੇ ਖਰੀਦਾਰੀ ਕਰੋ"; -"Close Section" = "ਵਿਭਾਗ ਨੂੰ ਬੰਦ ਕਰੋ"; -"Close FAQ" = "FAQ ਨੂੰ ਬੰਦ ਕਰੋ"; -"This conversation has ended." = "ਇਹ ਵਾਰਤਾਲਾਪ ਖਤਮ ਹੋ ਗਿਆ ਹੈ"; -"Send it anyway" = "ਫੇਰ ਵੀ ਇਸਨੂੰ ਭੇਜੋ"; -"You accepted review request." = "ਤੁਸੀਂ ਸਮੀਖਿਆ ਬੇਨਤੀ ਸਵੀਕਾਰ ਕੀਤੀ।"; -"Delete" = "ਮਿਟਾਓ"; -"What else can we help you with?" = "ਅਸੀਂ ਤੁਹਾਡੀ ਹੋਰ ਕਿਵੇਂ ਮਦਦ ਕਰ ਸਕਦੇ ਹਾਂ?"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "ਐਹ ਸੁਣਨ ਲਈ ਅਫਸੋਸ ਹੈ. ਕੀ ਤੁਸੀ ਸਾਹਣੁ ਕਿਰਪਾ ਕਰਕੇ ਐਸ ਪਰੇਸ਼ਾਨੀ ਦੇ ਬਾਰੇ ਵਿਚ ਥੋੜਾ ਹੋਰ ਦੱਸ ਸਕਦੇ ਹੋ?"; -"Tap here if the answer was not helpful to you" = "ਇੱਥੇ ਟੈਪ ਕਰੋ ਜੇ ਜਵਾਬ ਤੁਹਾਡੇ ਲਈ ਸਹਾਇਕ ਨਹੀਂ ਸੀ"; -"Service Rating" = "ਸੇਵਾ ਰੇਟਿੰਗ"; -"Your email" = "ਤੁਹਾਡੀ ਈਮੇਲ"; -"Email invalid" = "ਅਯੋਗ ਈਮੇਲ"; -"Could not fetch FAQs" = "FAQ ਨਹੀਂ ਲਿਆ ਸਕੇ"; -"Thanks for rating us." = "ਸਾਨੂੰ ਰੇਟ ਕਰਨ ਲਈ ਧੰਨਵਾਦ।"; -"Download" = "ਡਾਉਨਲੋਡ ਕਰੋ"; -"Please enter a valid email" = "ਕਿਰਪਾ ਕਰਕੇ ਇੱਕ ਵੈਧ ਈਮੇਲ ਦਾਖ਼ਲ ਕਰੋ"; -"Message" = "ਸੁਨੇਹਾ"; -"or" = "ਜਾਂ"; -"Decline" = "ਅਸਵੀਕਾਰ ਕਰੋ"; -"No" = "ਨਹੀਂ"; -"Screenshot could not be sent. Image is too large, try again with another image" = "ਸਕਰੀਨਸ਼ੌਟ ਭੇਜਿਆ ਨਹੀਂ ਜਾ ਸਕਿਆ। ਪ੍ਰਤੀਬਿੰਬ ਬੇਹੱਦ ਵੱਡਾ ਹੈ, ਕਿਸੇ ਹੋਰ ਪ੍ਰਤੀਬਿੰਬ ਨੂੰ ਅਜ਼ਮਾਓ"; -"Hated it" = "ਇਸ ਨੂੰ ਨਾਪਸੰਦ ਕੀਤਾ"; -"Stars" = "ਸਿਤਾਰੇ"; -"Your feedback has been received." = "ਤੁਹਾਡੀ ਫੀਡਬੈਕ ਪ੍ਰਾਪਤ ਕਰ ਲਈ ਗਈ ਹੈ।"; -"Dislike" = "ਨਾਪਸੰਦ ਕਰੋ"; -"Preview" = "ਪੂਰਵਦਰਸ਼ਨ"; -"Book Now" = "ਹੁਣੇ ਬੁੱਕ ਕਰੋ"; -"START A NEW CONVERSATION" = "ਨਵਾਂ ਵਾਰਤਾਲਾਪ ਸ਼ੁਰੂ ਕਰੋ"; -"Your Rating" = "ਤੁਹਾਡੀ ਰੇਟਿੰਗ"; -"No Internet!" = "ਬਿਲਕੁੱਲ ਵੀ ਇੰਟਰਨੈਟ ਨਹੀਂ!"; -"Invalid Entry" = "ਅਯੋਗ ਏਂਟ੍ਰੀ"; -"Loved it" = "ਇਸ ਨੂੰ ਪਸੰਦ ਕੀਤਾ"; -"Review on the App Store" = "ਐਪ ਸਟੋਰ ਉੱਤੇ ਸਮੀਖਿਆ ਕਰੋ"; -"Open Help" = "ਮਦਦ ਖੋਲ੍ਹੋ"; -"Search" = "ਖੋਜ ਕਰੋ"; -"Tap here if you found this FAQ helpful" = "ਇੱਥੇ ਟੈਪ ਕਰੋ ਜੇ ਤੁਹਾਨੂੰ ਇਹ FAQ ਸਹਾਇਕ ਲੱਗਿਆ"; -"Star" = "ਸਿਤਾਰਾ"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "ਇੱਥੇ ਟੈਪ ਕਰੋ ਜੇ ਤੁਹਾਨੂੰ ਇਹ ਜਵਾਬ ਸਹਾਇਕ ਲੱਗਿਆ"; -"Report a problem" = "ਕਿਸੇ ਸਮੱਸਿਆ ਦੀ ਰੀਪੋਰਟ ਕਰੋ"; -"YES, THANKS!" = "ਹਾਂ, ਧੰਨਵਾਦ!"; -"Was this helpful?" = "ਕੀ ਇਹ ਸਹਾਇਕ ਸੀ?"; -"Suggestions" = "ਸੁਝਾਅ"; -"No FAQs found" = "ਕੋਈ FAQ ਨਹੀਂ ਮਿਲੇ"; -"Done" = "ਹੋ ਗਿਆ"; -"Opening Gallery..." = "ਗੈਲਰੀ ਖੋਲ੍ਹੀ ਜਾ ਰਹੀ..."; -"You rated the service with" = "ਤੁਸੀਂ ਇਸ ਦੇ ਨਾਲ ਸੇਵਾ ਨੂੰ ਰੇਟ ਕੀਤਾ"; -"Cancel" = "ਰੱਦ ਕਰੋ"; -"Close" = "ਬੰਦ ਕਰੋ"; -"Loading..." = "ਲੋਡ ਕੀਤਾ ਜਾ ਰਿਹਾ..."; -"Read FAQs" = "FAQs ਪੜ੍ਹੋ"; -"Thanks for messaging us!" = "ਸਾਨੂੰ ਸੁਨੇਹਾ ਭੇਜਣ ਲਈ ਧੰਨਵਾਦ!"; -"Try Again" = "ਦੁਬਾਰਾ ਕੋਸ਼ਿਸ਼ ਕਰੋ"; -"Send Feedback" = "ਫੀਡਬੈਕ ਭੇਜੋ"; -"Your Name" = "ਤੁਹਾਡਾ ਨਾਮ"; -"Please provide a name." = "ਕਿਰਪਾ ਕਰਕੇ ਇੱਕ ਨਾਮ ਪ੍ਰਦਾਨ ਕਰੋ।"; -"FAQ" = "FAQ"; -"Describe your problem" = "ਆਪਣੀ ਸਮੱਸਿਆ ਦਾ ਵਰਣਨ ਕਰੋ"; -"How can we help?" = "ਅਸੀਂ ਕਿਵੇਂ ਮਦਦ ਕਰ ਸਕਦੇ ਹਾਂ?"; -"Help about" = "ਇਸ ਬਾਰੇ ਮਦਦ"; -"Name" = "ਨਾਮ"; -"Sending failed!" = "ਭੇਜਣਾ ਅਸਫਲ ਹੋਇਆ!"; -"We could not fetch the required data" = "ਅੱਸੀ ਲੋੜ ਦੇ ਡਾਟਾ ਨੂੰ ਪ੍ਰਾਪਤ ਨਾ ਕਰ ਸਕਦੇ ਹੈ"; -"You didn't find this helpful." = "ਤੁਹਾਨੂੰ ਇਹ ਸਹਾਇਕ ਨਹੀਂ ਲੱਗਿਆ।"; -"Attach a screenshot of your problem" = "ਆਪਣੀ ਸਮੱਸਿਆ ਦਾ ਇੱਕ ਸਕ੍ਰੀਨਸ਼ੌਟ ਨੱਥੀ ਕਰੋ"; -"Mark as read" = "ਪੜ੍ਹਿਆ ਗਿਆ ਵਜੋਂ ਨਿਸ਼ਾਨ ਲਗਾਓ"; -"Name invalid" = "ਅਯੋਗ ਨਾਮ"; -"Yes" = "ਹਾਂ"; -"What's on your mind?" = "ਤੁਹਾਡੇ ਦਿਮਾਗ਼ ਵਿੱਚ ਕੀ ਹੈ?"; -"Send a new message" = "ਇੱਕ ਨਵਾਂ ਸੰਦੇਸ਼ ਭੇਜੋ"; -"Questions that may already have your answer" = "ਸਵਾਲ ਜਿਹਨਾਂ ਕੋਲ ਪਹਿਲਾਂ ਤੋਂ ਤੁਹਾਡਾ ਜਵਾਬ ਹੋ ਸਕਦਾ ਹੈ"; -"Attach a photo" = "ਇੱਕ ਫੋਟੋ ਨੱਥੀ ਕਰੋ"; -"Accept" = "ਸਵੀਕਾਰ ਕਰੋ"; -"Your reply" = "ਤੁਹਾਡਾ ਜਵਾਬ"; -"Inbox" = "ਇਨਬਾਕਸ"; -"Remove attachment" = "ਅਟੈਚਮੈਂਟ ਨੂੰ ਹਟਾਓ"; -"Could not fetch message" = "ਸੁਨੇਹਾ ਨਹੀਂ ਲਿਆ ਸਕੇ"; -"Read FAQ" = "FAQ ਪੜ੍ਹੋ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "ਮੁਆਫ਼ ਕਰੋ! ਇਹ ਵਾਰਤਾਲਾਪ ਅਕ੍ਰਿਆਸ਼ੀਲਤਾ ਕਾਰਨ ਬੰਦ ਕਰ ਦਿੱਤਾ ਗਿਆ ਸੀ। ਕਿਰਪਾ ਕਰਕੇ ਸਾਡੇ ਏਜੰਟਾਂ ਦੇ ਨਾਲ ਇੱਕ ਨਵਾਂ ਵਾਰਤਾਲਾਪ ਸ਼ੁਰੂ ਕਰੋ।"; -"%d new messages from Support" = "%d ਸਹਾਇਤਾ ਵਲੋਂ ਨਵਾਂ ਸੁਨੇਹਾ"; -"Ok, Attach" = "ਠੀਕ ਹੈ, ਨੱਥੀ ਕਰੋ"; -"Send" = "ਭੇਜੋ"; -"Screenshot size should not exceed %.2f MB" = "ਸਕ੍ਰੀਨਸ਼ੌਟ ਦਾ ਆਕਾਰ %.2f MB ਤੋਂ ਵੱਧ ਨਹੀਂ ਹੋਵੇਗਾ"; -"Information" = "ਜਾਣਕਾਰੀ"; -"Issue ID" = "ID ਜਾਰੀ ਕੀਤੀ"; -"Tap to copy" = "ਕਾਪੀ ਕਰਨ ਲਈ ਟੈਪ ਕਰੋ"; -"Copied!" = "ਕਾਪੀ ਕੀਤਾ!"; -"We couldn't find an FAQ with matching ID" = "ਸਾਨੂੰ ਏਸ ID ਦੇ ਨਾਲ ਮਿਲਦਾ FAQ ਨਾ ਲਭਿਆ"; -"Failed to load screenshot" = "ਸਕਰੀਨਸ਼ੋਤ ਨੂੰ ਲੋਡ ਕਰਨ ਵਿੱਚ ਅਸਫਲ"; -"Failed to load video" = "ਵੀਡੀਓ ਨੂੰ ਲੋਡ ਕਰਨ ਵਿੱਚ ਅਸਫਲ"; -"Failed to load image" = "ਇਮੇਜ ਨੂੰ ਲੋਡ ਕਰਨ ਵਿੱਚ ਅਸਫਲ"; -"Hold down your device's power and home buttons at the same time." = "ਆਪਣੇ ਡਿਵਾਈਸ ਉੱਤੇ ਇੱਕੋ ਸਮੇਂ ਤੇ ਪਾਵਰ ਅਤੇ ਹੋਮ ਬਟਨਾਂ ਨੂੰ ਦਬਾ ਕੇ ਰੱਖੋ।"; -"Please note that a few devices may have the power button on the top." = "ਕਿਰਪਾ ਕਰਕੇ ਨੋਟ ਕਰੋ ਕੁਝ ਜੰਤਰ ਦੇ ਪਾਵਰ ਬਟਨ ਚੋਟੀ ਤੇ ਹੋ ਸਕਦਾ ਹੈ।"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "ਇਸ ਨੂੰ ਕਰਨ ਦੇ ਬਾਅਦ, ਵਾਪਸ ਇਸ ਗੱਲਬਾਤ ਨੂੰ ਖੋਲੋ ਤੇ \"ਠੀਕ ਹੈ, ਨਾਲ ਨੱਥੀ\" ਦੇ ਉਤੇ ਟੈਪ ਕਰਕੇ ਸਕਰੀਨ ਸ਼ੋਟ ਨੂੰ ਨੱਥੀ ਕਰੋ।"; -"Okay" = "ਠੀਕ ਹੈ"; -"We couldn't find an FAQ section with matching ID" = "ਸਾਨੂੰ ਏਸ ID ਦੇ ਨਾਲ ਮਿਲਦਾ FAQ ਅਨੁਭਾਗ ਨਾ ਲਭਿਆ"; - -"GIFs are not supported" = "GIFs ਸਮਰਥਿਤ ਨਹੀਂ ਹਨ"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pl.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pl.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index c579f9c73d50..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pl.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Nie możesz znaleźć interesującego cię tematu?"; -"Rate App" = "Oceń naszą aplikację"; -"We\'re happy to help you!" = "Z przyjemnością pomożemy!"; -"Did we answer all your questions?" = "Czy odpowiedzieliśmy na wszystkie twoje pytania?"; -"Remind Later" = "Przypomnij mi później"; -"Your message has been received." = "Twoja wiadomość została odebrana."; -"Message send failure." = "Nie udało się wysłać wiadomości."; -"What\'s your feedback about our customer support?" = "Co sądzisz o naszym dziale pomocy?"; -"Take a screenshot on your iPhone" = "Zrób zdjęcie ekranu na twoim telefonie iPhone"; -"Learn how" = "Dowiedz się więcej"; -"Take a screenshot on your iPad" = "Zrób zdjęcie ekranu na twoim tablecie iPad"; -"Your email(optional)" = "Twój e-mail (opcjonalne)"; -"Conversation" = "Rozmowa"; -"View Now" = "Obejrzyj teraz"; -"SEND ANYWAY" = "WYŚLIJ MIMO WSZYSTKO"; -"OK" = "OK"; -"Help" = "Pomoc"; -"Send message" = "Wyślij wiadomość"; -"REVIEW" = "RECENZJA"; -"Share" = "Udostępnij"; -"Close Help" = "Zamknij Pomoc"; -"Sending your message..." = "Trwa wysyłanie wiadomości..."; -"Learn how to" = "Dowiedz się jak..."; -"No FAQs found in this section" = "Brak popularnych pytań dla niniejszej sekcji"; -"Thanks for contacting us." = "Dziękujemy za kontakt z nami."; -"Chat Now" = "Przejdź do czatu teraz"; -"Buy Now" = "Kup teraz"; -"New Conversation" = "Nowa rozmowa"; -"Please check your network connection and try again." = "Prosimy sprawdzić połączenie z siecią i spróbować ponownie."; -"New message from Support" = "Nowa wiadomość od Działu Pomocy"; -"Question" = "Pytanie"; -"Type in a new message" = "Wprowadź tekst nowej wiadomości"; -"Email (optional)" = "E-mail (opcjonalne)"; -"Reply" = "Odpowiedź"; -"CONTACT US" = "SKONTAKTUJ SIĘ Z NAMI"; -"Email" = "E-mail"; -"Like" = "Lubię to"; -"Tap here if this FAQ was not helpful to you" = "Stuknij tutaj, jeśli Najczęściej Zadawane Pytania nie były pomocne"; -"Any other feedback? (optional)" = "Czy chcesz coś dodać? (opcjonalne)"; -"You found this helpful." = "Pomoc była skuteczna."; -"No working Internet connection is found." = "Nie wykryto połączenia z internetem."; -"No messages found." = "Nie odnaleziono wiadomości."; -"Please enter a brief description of the issue you are facing." = "Prosimy o krótki opis napotkanego problemu."; -"Shop Now" = "Kupuj teraz"; -"Close Section" = "Zamknij sekcję"; -"Close FAQ" = "Zamknij Najczęściej Zadawane Pytania"; -"Close" = "Zamknij"; -"This conversation has ended." = "Rozmowa zakończona."; -"Send it anyway" = "Wyślij mimo wszystko"; -"You accepted review request." = "Użytkownik przyjął prośbę o recenzję"; -"Delete" = "Usuń"; -"What else can we help you with?" = "W czym jeszcze możemy pomóc?"; -"Tap here if the answer was not helpful to you" = "Stuknij tutaj, jeśli odpowiedź była nieskuteczna"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Przykro nam to słyszeć. Czy możesz opowiedzieć nam o problemie, który napotykasz?"; -"Service Rating" = "Ocena usługi"; -"Your email" = "Twój e-mail"; -"Email invalid" = "Niewłaściwy adres"; -"Could not fetch FAQs" = "Nie udało się pobrać listy najczęściej zadawanych pytań"; -"Thanks for rating us." = "Dziękujemy za wystawienie nam oceny."; -"Download" = "Pobierz"; -"Please enter a valid email" = "Prosimy podać stosowny adres e-mail"; -"Message" = "Wiadomość"; -"or" = "lub"; -"Decline" = "Odmowa"; -"No" = "Nie"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Nie udało się wysłać zdjęcia ekranu. Obraz jest zbyt duży. Spróbuj ponownie, używając innego obrazu."; -"Hated it" = "Nie podobała mi się"; -"Stars" = "Gwiazdki"; -"Your feedback has been received." = "Twoja opinia została odebrana."; -"Dislike" = "Nie lubię tego"; -"Preview" = "Zapowiedź"; -"Book Now" = "Zamów teraz"; -"START A NEW CONVERSATION" = "ROZPOCZNIJ NOWĄ ROZMOWĘ"; -"Your Rating" = "Twoja ocena"; -"No Internet!" = "Brak połączenia!"; -"Invalid Entry" = "Niewłaściwy wpis"; -"Loved it" = "Podobała mi się"; -"Review on the App Store" = "Zrecenzuj w sklepie App Store"; -"Open Help" = "Przejdź do pomocy"; -"Search" = "Szukaj"; -"Tap here if you found this FAQ helpful" = "Stuknij tutaj, jeśli Najczęściej Zadawane Pytania były pomocne"; -"Star" = "Gwiazdka"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Stuknij tutaj, jeśli odpowiedź była skuteczna"; -"Report a problem" = "Zgłoś problem"; -"YES, THANKS!" = "TAK, DZIĘKI!"; -"Was this helpful?" = "Czy pomoc była skuteczna?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Wiadomość nie została wysłana.Stuknij \"Spróbuj ponownie\" aby wysłać tę wiadomość."; -"Suggestions" = "Sugestie"; -"No FAQs found" = "Nie odnaleziono najczęściej zadawanych pytań"; -"Done" = "Gotowe"; -"Opening Gallery..." = "Otwieranie galerii..."; -"You rated the service with" = "Usługa została oceniona:"; -"Cancel" = "Anuluj"; -"Loading..." = "Wczytywanie..."; -"Read FAQs" = "Zapoznaj się z Najczęściej Zadawanymi Pytaniami"; -"Thanks for messaging us!" = "Dziękujemy za wysłanie nam wiadomości!"; -"Try Again" = "Spróbuj ponownie"; -"Send Feedback" = "Prześlij opinię"; -"Your Name" = "Twoje imię"; -"Please provide a name." = "Prosimy o podanie imienia."; -"FAQ" = "Najczęściej zadawane pytania"; -"Describe your problem" = "Prosimy opisać problem"; -"How can we help?" = "W czym możemy pomóc?"; -"Help about" = "Pomoc dotycząca:"; -"We could not fetch the required data" = "Nie udało się pobrać wymaganych danych"; -"Name" = "Imię"; -"Sending failed!" = "Wysyłka nieudana!"; -"You didn't find this helpful." = "Pomoc była nieskuteczna."; -"Attach a screenshot of your problem" = "Załącz zrzut ekranu przedstawiający problem"; -"Mark as read" = "Zaznacz jako przeczytane"; -"Name invalid" = "Niewłaściwe imię"; -"Yes" = "Tak"; -"What's on your mind?" = "O czym myślisz?"; -"Send a new message" = "Wyślij nową wiadomość"; -"Questions that may already have your answer" = "Pytania, które być może dotyczą tego, czego szukasz"; -"Attach a photo" = "Załącz zdjęcie"; -"Accept" = "Zatwierdź"; -"Your reply" = "Twoja odpowiedź"; -"Inbox" = "Skrzynka odbiorcza"; -"Remove attachment" = "Usuń załącznik"; -"Could not fetch message" = "Nie udało się pobrać wiadomości"; -"Read FAQ" = "Przejrzyj Najczęściej Zadawane Pytania"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Przepraszamy! Niniejsza rozmowa została zakończona z powodu braku aktywności. Prosimy o rozpoczęcie nowej rozmowy z jednym z naszych agentów."; -"%d new messages from Support" = "%d nowe wiadomości od działu pomocy"; -"Ok, Attach" = "Ok, załącz"; -"Send" = "Wyślij"; -"Screenshot size should not exceed %.2f MB" = "Rozmiar zrzutu ekranu nie powinien przekraczać %.2f MB"; -"Information" = "Informacje"; -"Issue ID" = "Identyfikator problemu"; -"Tap to copy" = "Stuknij, aby skopiować"; -"Copied!" = "Skopiowano!"; -"We couldn't find an FAQ with matching ID" = "Nie udało się odnaleźć pasujących Pytań"; -"Failed to load screenshot" = "Nie udało się wczytać zdjęcia ekranu"; -"Failed to load video" = "Nie udało się wczytać klipu"; -"Failed to load image" = "Nie udało się wczytać obrazka"; -"Hold down your device's power and home buttons at the same time." = "Naciśnij i przytrzymaj jednocześnie przycisk zasilania oraz przycisk Home na twoim urządzeniu."; -"Please note that a few devices may have the power button on the top." = "W przypadku niektórych urządzeń przycisk zasilania znajduje się na górze."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Gdy skończysz, wróć do tej rozmowy i dotknij przycisk „Ok, załącz”, aby dodać załącznik."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Nie udało się odnaleźć pasującej sekcji Pytań"; - -"GIFs are not supported" = "GIF nie są obsługiwane"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pt.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pt.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index ad28c6005009..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/pt.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Não encontras o que procuras?"; -"Rate App" = "Avaliar a App"; -"We\'re happy to help you!" = "Temos todo o prazer em ajudar-te!"; -"Did we answer all your questions?" = "Respondemos a todas as tuas questões?"; -"Remind Later" = "Lembrar mais tarde"; -"Your message has been received." = "A tua mensagem foi recebida."; -"Message send failure." = "Falha no envio da mensagem."; -"What\'s your feedback about our customer support?" = "Qual é o teu feedback relativamente ao apoio ao cliente?"; -"Take a screenshot on your iPhone" = "Captura o ecrã do teu iPhone"; -"Learn how" = "Aprender agora"; -"Take a screenshot on your iPad" = "Captura o ecrã do teu iPad"; -"Your email(optional)" = "O teu email (opcional)"; -"Conversation" = "Conversa"; -"View Now" = "Ver agora"; -"SEND ANYWAY" = "ENVIAR NA MESMA"; -"OK" = "OK"; -"Help" = "Ajuda"; -"Send message" = "Enviar mensagem"; -"REVIEW" = "REVER"; -"Share" = "Partilhar"; -"Close Help" = "Fechar Ajuda"; -"Sending your message..." = "A enviar a tua mensagem..."; -"Learn how to" = "Aprende a"; -"No FAQs found in this section" = "Sem FAQs nesta secção"; -"Thanks for contacting us." = "Obrigado por nos contactares."; -"Chat Now" = "Conversar agora"; -"Buy Now" = "Comprar agora"; -"New Conversation" = "Nova conversa"; -"Please check your network connection and try again." = "Verifica a ligação à rede e tenta novamente."; -"New message from Support" = "Nova mensagem de Suporte"; -"Question" = "Pergunta"; -"Type in a new message" = "Escreve uma nova mensagem"; -"Email (optional)" = "Email (opcional)"; -"Reply" = "Responder"; -"CONTACT US" = "CONTACTA-NOS"; -"Email" = "Email"; -"Like" = "Gostar"; -"Tap here if this FAQ was not helpful to you" = "Toca aqui se esta FAQ não foi útil para ti"; -"Any other feedback? (optional)" = "Mais feedback? (opcional)"; -"You found this helpful." = "Achaste isto útil."; -"No working Internet connection is found." = "Não foi encontrada nenhuma ligação à Internet."; -"No messages found." = "Nenhuma mensagem encontrada."; -"Please enter a brief description of the issue you are facing." = "Introduz uma breve descrição do problema que estás a enfrentar."; -"Shop Now" = "Comprar agora"; -"Close Section" = "Fechar secção"; -"Close FAQ" = "Fechar FAQ"; -"Close" = "Fechar"; -"This conversation has ended." = "Esta conversa terminou."; -"Send it anyway" = "Enviar na mesma"; -"You accepted review request." = "Aceitaste o pedido de avaliação."; -"Delete" = "Eliminar"; -"What else can we help you with?" = "Com que mais te podemos ajudar?"; -"Tap here if the answer was not helpful to you" = "Toca aqui se a resposta não foi útil para ti"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Lamentamos. Podes dizer-nos mais algumas coisas sobre o problema que estás a enfrentar?"; -"Service Rating" = "Avaliação do serviço"; -"Your email" = "O teu email"; -"Email invalid" = "Email inválido"; -"Could not fetch FAQs" = "Impossível obter FAQ"; -"Thanks for rating us." = "Obrigado por nos avaliares."; -"Download" = "Transferir"; -"Please enter a valid email" = "Introduz um endereço de email válido"; -"Message" = "Mensagem"; -"or" = "ou"; -"Decline" = "Recusar"; -"No" = "Não"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Captura de ecrã não enviada. Imagem muito grande, tenta enviar com outra imagem"; -"Hated it" = "Detestei"; -"Stars" = "Estrelas"; -"Your feedback has been received." = "O teu feedback foi recebido."; -"Dislike" = "Não gostar"; -"Preview" = "Pré-visualizar"; -"Book Now" = "Reservar agora"; -"START A NEW CONVERSATION" = "INICIAR NOVA CONVERSA"; -"Your Rating" = "A tua avaliação"; -"No Internet!" = "Sem Internet!"; -"Invalid Entry" = "Introdução inválida"; -"Loved it" = "Adorei"; -"Review on the App Store" = "Avaliar na App Store"; -"Open Help" = "Abrir Ajuda"; -"Search" = "Procurar"; -"Tap here if you found this FAQ helpful" = "Toca aqui se achaste esta FAQ útil"; -"Star" = "Estrela"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Toca aqui se achaste esta resposta útil"; -"Report a problem" = "Comunicar problema"; -"YES, THANKS!" = "SIM, OBRIGADO!"; -"Was this helpful?" = "Foi útil?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "A mensagem não foi enviada. Toca \"Tentar novamente\" para enviar esta mensagem."; -"Suggestions" = "Sugestões"; -"No FAQs found" = "Sem FAQ encontradas"; -"Done" = "Feito"; -"Opening Gallery..." = "A abrir Fotografias..."; -"You rated the service with" = "Classificaste o serviço com"; -"Cancel" = "Cancelar"; -"Loading..." = "A carregar..."; -"Read FAQs" = "Ler FAQs"; -"Thanks for messaging us!" = "Obrigado pela tua mensagem!"; -"Try Again" = "Tentar novamente"; -"Send Feedback" = "Enviar feedback"; -"Your Name" = "Nome"; -"Please provide a name." = "Indica um nome."; -"FAQ" = "FAQ"; -"Describe your problem" = "Descreve o teu problema"; -"How can we help?" = "Como podemos ajudar?"; -"Help about" = "Ajuda sobre"; -"We could not fetch the required data" = "Não conseguimos obter os dados necessários"; -"Name" = "Nome"; -"Sending failed!" = "Falha no envio!"; -"You didn't find this helpful." = "Não achaste isto útil."; -"Attach a screenshot of your problem" = "Anexa captura de ecrã do teu problema"; -"Mark as read" = "Marcar como lida"; -"Name invalid" = "Nome inválido"; -"Yes" = "Sim"; -"What's on your mind?" = "O que estás a pensar?"; -"Send a new message" = "Enviar nova mensagem"; -"Questions that may already have your answer" = "Questões que possam ainda ter resposta"; -"Attach a photo" = "Anexar foto"; -"Accept" = "Aceitar"; -"Your reply" = "A tua resposta"; -"Inbox" = "Caixa de entrada"; -"Remove attachment" = "Remover anexo"; -"Could not fetch message" = "Impossível obter mensagem"; -"Read FAQ" = "Ler FAQ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Lamentamos! Esta conversa foi encerrada por inatividade. Inicia uma nova conversa com os nossos agentes."; -"%d new messages from Support" = "%d novas mensagens do apoio ao cliente"; -"Ok, Attach" = "Ok, anexar"; -"Send" = "Enviar"; -"Screenshot size should not exceed %.2f MB" = "O tamanho da captura do ecrã não deve exceder %.2f MB"; -"Information" = "Informações"; -"Issue ID" = "ID do problema"; -"Tap to copy" = "Tocar para copiar"; -"Copied!" = "Copiado!"; -"We couldn't find an FAQ with matching ID" = "Não conseguimos encontrar nenhuma FAQ com ID correspondente"; -"Failed to load screenshot" = "Falha ao carregar captura de ecrã"; -"Failed to load video" = "Falha ao carregar vídeo"; -"Failed to load image" = "Falha ao carregar imagem"; -"Hold down your device's power and home buttons at the same time." = "Pressiona simultaneamente o botão Home e o botão de alimentação do teu dispositivo."; -"Please note that a few devices may have the power button on the top." = "Tem em atenção que alguns dispositivos podem ter o botão de alimentação no topo."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Depois de o fazeres, regressa a esta conversa e toca em \"Ok, anexar\" para a anexares."; -"Okay" = "Ok"; -"We couldn't find an FAQ section with matching ID" = "Não conseguimos encontrar nenhuma secção de FAQ com ID correspondente"; - -"GIFs are not supported" = "GIFs não são suportados"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ro.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ro.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index bfcdabd1e6ff..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ro.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,150 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Nu găsești ceea ce căutai?"; -"Rate App" = "Evaluați aplicația"; -"We\'re happy to help you!" = "Suntem încântați să vă ajutăm!"; -"Did we answer all your questions?" = "Ți-am răspuns la toate întrebările?"; -"Remind Later" = "Amintește-mi mai târziu"; -"Your message has been received." = "Mesajul tău a fost primit."; -"Message send failure." = "Eșec trimitere mesaj."; -"What\'s your feedback about our customer support?" = "Care este feedbackul dvs. despre serviciu nostru de asistență clienți?"; -"Take a screenshot on your iPhone" = "Realizează o captură de ecran pe iPhone"; -"Learn how" = "Află cum"; -"Take a screenshot on your iPad" = "Realizează o captură de ecran pe iPad"; -"Your email(optional)" = "Adresa ta de e-mail (opțional)"; -"Conversation" = "Conversație"; -"View Now" = "Vizualizați acum"; -"SEND ANYWAY" = "TRIMITE ORICUM"; -"OK" = "OK"; -"Help" = "Ajutor"; -"Send message" = "Trimitere mesaj"; -"REVIEW" = "EVALUEAZĂ"; -"Share" = "Partajați"; -"Close Help" = "Închidere Ajutor"; -"Sending your message..." = "Se trimite mesajul tău..."; -"Learn how to" = "Aflați cum să"; -"No FAQs found in this section" = "Nu s-au găsit întrebări frecvente în această secțiune"; -"Thanks for contacting us." = "Vă mulțumim că ne-ați contactat."; -"Chat Now" = "Discutați prin chat acum"; -"Buy Now" = "Cumpărați acum"; -"New Conversation" = "Conversație nouă"; -"Please check your network connection and try again." = "Verifică conexiunea la rețea și reîncearcă."; -"New message from Support" = "Nou mesaj de la Asistență"; -"Question" = "Întrebare"; -"Type in a new message" = "Introduceți un nou mesaj"; -"Email (optional)" = "E-mail (opțional)"; -"Reply" = "Răspundeți"; -"CONTACT US" = "CONTACTEAZĂ-NE"; -"Email" = "E-mail"; -"Like" = "Apreciați"; -"Tap here if this FAQ was not helpful to you" = "Apăsați aici dacă Întrebările frecvente nu v-au fost utile"; -"Any other feedback? (optional)" = "Alt feedback? (opțional)"; -"You found this helpful." = "Consideri că ți-a fost util."; -"No working Internet connection is found." = "Nu s-a găsit nicio conexiune la Internet."; -"No messages found." = "Nu s-a găsit niciun mesaj."; -"Please enter a brief description of the issue you are facing." = "Introdu o scurtă descriere a problemei cu care te confrunți."; -"Shop Now" = "Cumpărați acum"; -"Close Section" = "Închidere secțiune"; -"Close FAQ" = "Închidere Întrebări frecvente"; -"Close" = "Închide"; -"This conversation has ended." = "Această conversație s-a încheiat."; -"Send it anyway" = "Trimiteți oricum"; -"You accepted review request." = "Ați acceptat cererea de evaluare."; -"Delete" = "Ștergere"; -"What else can we help you with?" = "Cu ce te mai putem ajuta?"; -"Tap here if the answer was not helpful to you" = "Apăsați aici dacă răspunsul nu v-a fost util"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Regretăm. Ne-ai putea spune mai multe despre problema ta?"; -"Service Rating" = "Evaluare serviciu"; -"Your email" = "Adresa ta de e-mail"; -"Email invalid" = "E-mail nevalid"; -"Could not fetch FAQs" = "Nu s-au putut obține întrebări frecvente"; -"Thanks for rating us." = "Îți mulțumim pentru notare."; -"Download" = "Descărcați"; -"Please enter a valid email" = "Introduceți o adresă de e-mail validă"; -"Message" = "Mesaj"; -"or" = "sau"; -"Decline" = "Refuz"; -"No" = "Nu"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Captura de ecran nu a putut fi trimisă. Imaginea este prea mare, încearcă din nou cu altă imagine"; -"Hated it" = "Mi-a displăcut"; -"Stars" = "Stele"; -"Your feedback has been received." = "Feedbackul tău a fost primit."; -"Dislike" = "Nu apreciați"; -"Preview" = "Previzualizare"; -"Book Now" = "Rezervați acum"; -"START A NEW CONVERSATION" = "ÎNCEPE O NOUĂ CONVERSAȚIE"; -"Your Rating" = "Notarea ta"; -"No Internet!" = "Lipsă Internet!"; -"Invalid Entry" = "Intrare nevalidă"; -"Loved it" = "Mi-a plăcut"; -"Review on the App Store" = "Evaluați pe App Store"; -"Open Help" = "Deschideți Ajutor"; -"Search" = "Căutare"; -"Tap here if you found this FAQ helpful" = "Apăsați aici dacă Întrebările frecvente v-au fost utile"; -"Star" = "Stea"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Apăsați aici dacă acest răspuns v-a fost util"; -"Report a problem" = "Raportați o problemă"; -"YES, THANKS!" = "DA, MULȚUMESC!"; -"Was this helpful?" = "Ți-a fost util?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Mesajul tău nu a fost trimis. Atingi \"Reîncearcă \" pentru a trimite acest mesaj?"; -"Suggestions" = "Sugestii"; -"No FAQs found" = "Nu s-au găsit întrebări frecvente"; -"Done" = "Rezolvat"; -"Opening Gallery..." = "Deschide galeria..."; -"You rated the service with" = "Ai evaluat serviciul cu"; -"Cancel" = "Anulează"; -"Loading..." = "Se încarcă..."; -"Read FAQs" = "Citiți întrebările frecvente"; -"Thanks for messaging us!" = "Mulțumim pentru mesajul dvs!"; -"Try Again" = "Reîncearcă"; -"Send Feedback" = "Trimite feedback"; -"Your Name" = "Numele dvs."; -"Please provide a name." = "Furnizează un nume."; -"FAQ" = "Întrebări frecvente"; -"Describe your problem" = "Descrie problema ta"; -"How can we help?" = "Cum te putem ajuta?"; -"Help about" = "Ajutor despre"; -"We could not fetch the required data" = "Nu am putut obține datele cerute"; -"Name" = "Nume"; -"Sending failed!" = "Trimitere eșuată!"; -"You didn't find this helpful." = "Nu ați considerat acesta ca util."; -"Attach a screenshot of your problem" = "Atașați o captură de ecran a problemei dvs."; -"Mark as read" = "Marcați ca citit"; -"Name invalid" = "Nume nevalid"; -"Yes" = "Da"; -"What's on your mind?" = "La ce te gândești?"; -"Send a new message" = "Trimiteți un nou mesaj"; -"Questions that may already have your answer" = "Întrebări care pot conține deja răspunsul tău"; -"Attach a photo" = "Atașați o poză"; -"Accept" = "Acceptare"; -"Your reply" = "Răspunsul dvs."; -"Inbox" = "Mesaje primite"; -"Remove attachment" = "Eliminați atașamentul"; -"Could not fetch message" = "Nu s-a găsit mesajul"; -"Read FAQ" = "Citiți întrebările frecvente"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Ne cerem scuze! Această conversație a fost încheiată din cauza inactivității. Începeți o nouă conversație cu agenții noștri."; -"%d new messages from Support" = "%d noi mesaje de la Serviciul de asistență"; -"Ok, Attach" = "OK, atașează"; -"Send" = "Trimite"; -"Screenshot size should not exceed %.2f MB" = "Dimensiunea capturii de ecran nu trebuie să depășească %.2f MB"; -"Information" = "Informații"; -"Issue ID" = "ID problemă"; -"Tap to copy" = "Atingeți pentru copiere"; -"Copied!" = "Copiate!"; -"We couldn't find an FAQ with matching ID" = "Nu am putut găsi o Întrebare frecventă cu același ID"; -"Failed to load screenshot" = "Încărcare captură de ecran eșuată"; -"Failed to load video" = "Încărcare videoclip eșuată"; -"Failed to load image" = "Încărcare imagine eșuată"; -"Hold down your device's power and home buttons at the same time." = "Ține apăsat butonul de pornire și butonul home de pe dispozitiv în același timp."; -"Please note that a few devices may have the power button on the top." = "Unele dispozitive pot avea butonul de pornire deasupra."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "După ce faci acest lucru, revino la această conversație și atinge „Ok, atașează” pentru a-l atașa."; -"Okay" = "OK"; - -"We couldn't find an FAQ section with matching ID" = "Nu am putut găsi o secțiune Întrebări frecvente cu același ID"; - -"GIFs are not supported" = "GIF-urile nu sunt acceptate"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ru.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ru.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 8bdf633ae53b..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ru.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Не можете найти то, что искали?"; -"Rate App" = "Оценить приложение"; -"We\'re happy to help you!" = "Мы рады помочь вам!"; -"Did we answer all your questions?" = "Вы получили ответы на все свои вопросы?"; -"Remind Later" = "Напомнить позже"; -"Your message has been received." = "Ваше сообщение получено."; -"Message send failure." = "Не удалось отправить сообщение."; -"What\'s your feedback about our customer support?" = "Как бы вы оценили работу нашей службы поддержки?"; -"Take a screenshot on your iPhone" = "Сделайте снимок экрана на своем iPhone"; -"Learn how" = "Узнать как"; -"Take a screenshot on your iPad" = "Сделайте снимок экрана на своем iPad"; -"Your email(optional)" = "Ваш адрес e-mail (по желанию)"; -"Conversation" = "Разговор"; -"View Now" = "Просмотреть сейчас"; -"SEND ANYWAY" = "ОТПРАВИТЬ ВСЕ РАВНО"; -"OK" = "OK"; -"Help" = "Помощь"; -"Send message" = "Отправить сообщение"; -"REVIEW" = "ОТЗЫВ"; -"Share" = "Поделиться"; -"Close Help" = "Закрыть помощь"; -"Sending your message..." = "Отправка сообщения..."; -"Learn how to" = "Узнать как"; -"No FAQs found in this section" = "В этом разделе вопросов/ответов (ЧаВо) не найдено"; -"Thanks for contacting us." = "Спасибо, что обратились к нам."; -"Chat Now" = "Перейти в чат"; -"Buy Now" = "Купить сейчас"; -"New Conversation" = "Новый разговор"; -"Please check your network connection and try again." = "Проверьте сетевое подключение и повторите попытку."; -"New message from Support" = "Новое сообщение службы поддержки"; -"Question" = "Вопрос"; -"Type in a new message" = "Введите новое сообщение"; -"Email (optional)" = "E-mail (по желанию)"; -"Reply" = "Ответить"; -"CONTACT US" = "СВЯЗАТЬСЯ С НАМИ"; -"Email" = "E-mail"; -"Like" = "Нравится"; -"Tap here if this FAQ was not helpful to you" = "Нажмите здесь, если этот ЧаВо вам не помог"; -"Any other feedback? (optional)" = "Хотите добавить отзыв (по желанию)?"; -"You found this helpful." = "Вы считаете эту информацию полезной."; -"No working Internet connection is found." = "Не найдено действующего подключения к Интернету."; -"No messages found." = "Сообщений не найдено."; -"Please enter a brief description of the issue you are facing." = "Введите краткое описание проблемы, с которой вы столкнулись."; -"Shop Now" = "Перейти в магазин"; -"Close Section" = "Закрыть раздел"; -"Close FAQ" = "Закрыть ЧаВо"; -"Close" = "Закрыть"; -"This conversation has ended." = "Этот разговор завершен."; -"Send it anyway" = "Отправить все равно"; -"You accepted review request." = "Вы приняли запрос обзора."; -"Delete" = "Удалить"; -"What else can we help you with?" = "Чем еще мы можем вам помочь?"; -"Tap here if the answer was not helpful to you" = "Нажмите здесь, если данный ответ вам не помог"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Очень жаль. Может, расскажете поподробнее о проблеме, с которой вы столкнулись?"; -"Service Rating" = "Оценка услуг"; -"Your email" = "Ваш адрес e-mail"; -"Email invalid" = "E-mail недействителен"; -"Could not fetch FAQs" = "Не удалось найти вопросы/ответы (ЧаВо)"; -"Thanks for rating us." = "Спасибо за оценку!"; -"Download" = "Загрузка"; -"Please enter a valid email" = "Введите действительный адрес e-mail"; -"Message" = "Сообщение"; -"or" = "или"; -"Decline" = "Отклонить"; -"No" = "Нет"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Невозможно отправить снимок экрана. Файл слишком велик; выберите другое изображение и повторите попытку."; -"Hated it" = "Отвратительно"; -"Stars" = "Звезды"; -"Your feedback has been received." = "Ваш отзыв получен."; -"Dislike" = "Не нравится"; -"Preview" = "Предпросмотр"; -"Book Now" = "Заказать сейчас"; -"START A NEW CONVERSATION" = "НАЧАТЬ НОВЫЙ РАЗГОВОР"; -"Your Rating" = "Ваша оценка"; -"No Internet!" = "Интернет недоступен!"; -"Invalid Entry" = "Недопустимая запись"; -"Loved it" = "Великолепно"; -"Review on the App Store" = "Отзыв на App Store"; -"Open Help" = "Открыть помощь"; -"Search" = "Поиск"; -"Tap here if you found this FAQ helpful" = "Нажмите здесь, если этот ЧаВо показался вам полезным"; -"Star" = "Звезда"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Нажмите здесь, если этот ответ показался вам полезным"; -"Report a problem" = "Сообщить о проблеме"; -"YES, THANKS!" = "ДА, СПАСИБО!"; -"Was this helpful?" = "Помогла ли вам эта информация?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Сообщение не отправлено. Нажмите \"Еще раз\", чтобы отправить это сообщение."; -"Suggestions" = "Предложения"; -"No FAQs found" = "ЧаВо не найдено"; -"Done" = "Готово"; -"Opening Gallery..." = "Открываем альбом..."; -"You rated the service with" = "Вы поставили этой услуге оценку"; -"Cancel" = "Отмена"; -"Loading..." = "Загрузка..."; -"Read FAQs" = "Читать сборники ЧаВо"; -"Thanks for messaging us!" = "Спасибо, что отправили нам сообщение!"; -"Try Again" = "Еще раз"; -"Send Feedback" = "Отправить отзыв"; -"Your Name" = "Ваше имя"; -"Please provide a name." = "Укажите имя."; -"FAQ" = "ЧаВо"; -"Describe your problem" = "Опишите свою проблему"; -"How can we help?" = "Чем мы можем помочь?"; -"Help about" = "Помощь по теме"; -"We could not fetch the required data" = "Не удалось найти нужные данные"; -"Name" = "Имя"; -"Sending failed!" = "Сбой отправки!"; -"You didn't find this helpful." = "Вы считаете эту информацию бесполезной."; -"Attach a screenshot of your problem" = "Приложите снимок экрана, отражающий суть вашей проблемы"; -"Mark as read" = "Пометить как прочитанное"; -"Name invalid" = "Недопустимое имя"; -"Yes" = "Да"; -"What's on your mind?" = "О чем вы думаете?"; -"Send a new message" = "Отправить новое сообщение"; -"Questions that may already have your answer" = "Вопросы, на которые, возможно, уже дан ответ"; -"Attach a photo" = "Приложить снимок"; -"Accept" = "Принять"; -"Your reply" = "Ваш ответ"; -"Inbox" = "Входящие"; -"Remove attachment" = "Удалить вложение"; -"Could not fetch message" = "Не удается получить сообщение"; -"Read FAQ" = "Читать ЧаВо"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Этот разговор был завершен по причине отсутствия активности участников. Пожалуйста, начните новый разговор с нашими представителями."; -"%d new messages from Support" = "%d новых сообщений службы поддержки"; -"Ok, Attach" = "Да, приложить"; -"Send" = "Отправить"; -"Screenshot size should not exceed %.2f MB" = "Размер снимка экрана не должен превышать %.2f Мб"; -"Information" = "Информация"; -"Issue ID" = "Идентификатор проблемы"; -"Tap to copy" = "Коснитесь, чтобы скопировать"; -"Copied!" = "Скопировано!"; -"We couldn't find an FAQ with matching ID" = "Не удалось найти сборник ЧаВо с таким идентификатором"; -"Failed to load screenshot" = "Не удалось загрузить снимок экрана"; -"Failed to load video" = "Не удалось загрузить видео"; -"Failed to load image" = "Не удалось загрузить изображение"; -"Hold down your device's power and home buttons at the same time." = "Удерживайте нажатыми одновременно кнопку «Домой» и кнопку сна/пробуждения на своем устройстве."; -"Please note that a few devices may have the power button on the top." = "Учтите, что на некоторых устройствах кнопка сна/пробуждения может находиться вверху."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Затем вернитесь к этому диалоговому окну и нажмите «Да, приложить», чтобы приложить снимок."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Не удалось найти раздел ЧаВо с таким идентификатором"; - -"GIFs are not supported" = "GIF не поддерживаются"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sk.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sk.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 770855346a8e..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sk.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Nenašli ste to, čo hľadáte?"; -"Rate App" = "Ohodnotiť aplikáciu"; -"We\'re happy to help you!" = "S radosťou vám pomôžeme!"; -"Did we answer all your questions?" = "Zodpovedali sme všetky vaše otázky?"; -"Remind Later" = "Pripomenúť neskôr"; -"Your message has been received." = "Vašu správu sme dostali."; -"Message send failure." = "Správu sa nepodarilo odoslať."; -"What\'s your feedback about our customer support?" = "Aký je váš názor na našu zákaznícku podporu?"; -"Take a screenshot on your iPhone" = "Odfoťte obrazovku na iPhone"; -"Learn how" = "Zistiť ako"; -"Take a screenshot on your iPad" = "Odfoťte obrazovku na iPade"; -"Your email(optional)" = "Váš e-mail (voliteľné)"; -"Conversation" = "Konverzácia"; -"View Now" = "Zobraziť"; -"SEND ANYWAY" = "NAPRIEK TOMU POSLAŤ"; -"OK" = "OK"; -"Help" = "Pomoc"; -"Send message" = "Odošlite správu"; -"REVIEW" = "OHODNOTIŤ"; -"Share" = "Zdieľať"; -"Close Help" = "Zatvoriť pomoc"; -"Sending your message..." = "Posiela sa správa..."; -"Learn how to" = "Zistiť ako"; -"No FAQs found in this section" = "V tejto časti nie sú žiadne často kladené otázky"; -"Thanks for contacting us." = "Ďakujeme, že ste nás kontaktovali."; -"Chat Now" = "Chat"; -"Buy Now" = "Kúpiť"; -"New Conversation" = "Nová konverzácia"; -"Please check your network connection and try again." = "Skontrolujte svoje pripojenie na sieť a skúste to znova."; -"New message from Support" = "Nová správa od tímu podpory"; -"Question" = "Otázka"; -"Type in a new message" = "Napíšte novú správu"; -"Email (optional)" = "E-mail (voliteľné)"; -"Reply" = "Odpovedať"; -"CONTACT US" = "KONTAKTUJTE NÁS"; -"Email" = "E-mail"; -"Like" = "Páči sa mi to"; -"Tap here if this FAQ was not helpful to you" = "Ak bola táto často kladená otázka neužitočná, ťuknite sem"; -"Any other feedback? (optional)" = "Iný názor? (voliteľné)"; -"You found this helpful." = "Táto rada vám pomohla."; -"No working Internet connection is found." = "Nenašlo sa žiadne pripojenie na internet."; -"No messages found." = "Nenašli sa žiadne správy."; -"Please enter a brief description of the issue you are facing." = "Uveďte krátky popis svojho problému."; -"Shop Now" = "Nakupovať"; -"Close Section" = "Zatvoriť časť"; -"Close FAQ" = "Zatvoriť často kladené otázky"; -"Close" = "Zatvoriť"; -"This conversation has ended." = "Táto konverzácia sa skončila."; -"Send it anyway" = "Napriek tomu odoslať"; -"You accepted review request." = "Prijali ste žiadosť o hodnotenie."; -"Delete" = "Odstrániť"; -"What else can we help you with?" = "Ako vám ešte môžeme pomôcť?"; -"Tap here if the answer was not helpful to you" = "Ak bola odpoveď neužitočná, ťuknite sem"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "To je nám nesmierne ľúto. Mohli by ste nám povedať o vašom probléme trochu viac?"; -"Service Rating" = "Hodnotenie služby"; -"Your email" = "Váš e-mail"; -"Email invalid" = "E-mail nie je platný"; -"Could not fetch FAQs" = "Často kladené otázky sa nepodarilo získať"; -"Thanks for rating us." = "Ďakujeme za vaše hodnotenie."; -"Download" = "Stiahnuť"; -"Please enter a valid email" = "Zadajte platný e-mail"; -"Message" = "Správa"; -"or" = "alebo"; -"Decline" = "Odmietnuť"; -"No" = "Nie"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Fotografiu obrazovky sa nepodarilo odoslať. Obrázok je príliš veľký, skúste to znova s iným obrázkom"; -"Hated it" = "Nepáčila sa mi"; -"Stars" = "Hviezdičky"; -"Your feedback has been received." = "Vašu spätnú väzbu sme dostali."; -"Dislike" = "Nepáči sa mi to"; -"Preview" = "Náhľad"; -"Book Now" = "Rezervovať"; -"START A NEW CONVERSATION" = "ZAČAŤ NOVÚ KONVERZÁCIU"; -"Your Rating" = "Vaše hodnotenie"; -"No Internet!" = "Nie je pripojenie na internet!"; -"Invalid Entry" = "Neplatný vstup"; -"Loved it" = "Páčila sa mi"; -"Review on the App Store" = "Hodnotenie v App Store"; -"Open Help" = "Otvoriť pomoc"; -"Search" = "Vyhľadávať"; -"Tap here if you found this FAQ helpful" = "Ak bola táto často kladená otázka užitočná, ťuknite sem"; -"Star" = "Hviezdička"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Ak bola odpoveď užitočná, ťuknite sem"; -"Report a problem" = "Nahlásiť problém"; -"YES, THANKS!" = "ÁNO, ĎAKUJEM!"; -"Was this helpful?" = "Pomohlo vám to?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Vaša správa sa neodoslala. Na odoslanie správy ťuknite na možnosť \"Skúsiť znova\"."; -"Suggestions" = "Návrhy"; -"No FAQs found" = "Nenašli sa žiadne často kladené otázky"; -"Done" = "Hotovo"; -"Opening Gallery..." = "Otváranie galérie..."; -"You rated the service with" = "Službu ste ohodnotili"; -"Cancel" = "Zrušiť"; -"Loading..." = "Načítava sa..."; -"Read FAQs" = "Prečítať často kladené otázky"; -"Thanks for messaging us!" = "Ďakujeme, že ste nám napísali!"; -"Try Again" = "Skúsiť znova"; -"Send Feedback" = "Poslať spätnú väzbu"; -"Your Name" = "Vaše meno"; -"Please provide a name." = "Uveďte meno."; -"FAQ" = "Často kladené otázky"; -"Describe your problem" = "Popíšte svoj problém"; -"How can we help?" = "Ako vám môžeme pomôcť?"; -"Help about" = "Pomoc ohľadom"; -"We could not fetch the required data" = "Požadované údaje sa nepodarilo získať"; -"Name" = "Meno"; -"Sending failed!" = "Odosielanie zlyhalo!"; -"You didn't find this helpful." = "Táto rada vám nepomohla."; -"Attach a screenshot of your problem" = "Priložte snímku obrazovky so zachyteným problémom"; -"Mark as read" = "Označiť ako prečítanú"; -"Name invalid" = "Neplatné meno"; -"Yes" = "Áno"; -"What's on your mind?" = "Čo vás trápi?"; -"Send a new message" = "Poslať novú správu"; -"Questions that may already have your answer" = "Otázky, ktoré by mohli obsahovať odpovede, ktoré hľadáte"; -"Attach a photo" = "Priložiť snímku"; -"Accept" = "Prijať"; -"Your reply" = "Vaša odpoveď"; -"Inbox" = "Doručená pošta"; -"Remove attachment" = "Odobrať prílohu"; -"Could not fetch message" = "Správu sa nepodarilo získať"; -"Read FAQ" = "Prečítať často kladenú otázku"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Ospravedlňujeme sa! Táto konverzácia bola zatvorená z dôvodu neaktivity. Začnite novú konverzáciu s našimi agentmi."; -"%d new messages from Support" = "%d nových správ od tímu podpory"; -"Ok, Attach" = "Ok, priložiť"; -"Send" = "Poslať"; -"Screenshot size should not exceed %.2f MB" = "Veľkosť snímky obrazovky by nemala presiahnuť %.2f MB"; -"Information" = "Informácie"; -"Issue ID" = "ID problému"; -"Tap to copy" = "Ťuknite na kopírovanie"; -"Copied!" = "Skopírované!"; -"We couldn't find an FAQ with matching ID" = "Nepodarilo sa nájsť často kladené otázky s týmto ID"; -"Failed to load screenshot" = "Načítanie snímky obrazovky zlyhalo"; -"Failed to load video" = "Načítanie videa zlyhalo"; -"Failed to load image" = "Načítanie obrázka zlyhalo"; -"Hold down your device's power and home buttons at the same time." = "Súčasne podržte tlačidlo napájania a tlačidlo Domov na zariadení."; -"Please note that a few devices may have the power button on the top." = "Upozorňujeme, že niektoré zariadenia môžu mať tlačidlo napájania na vrchu"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Po skončení znova prejdite na túto konverzáciu a ťuknutím na možnosť „Ok, priložiť“ ju priložíte."; -"Okay" = "V poriadku"; -"We couldn't find an FAQ section with matching ID" = "Nepodarilo sa nájsť časť s často kladenými otázkami s týmto ID"; - -"GIFs are not supported" = "GIF nie sú podporované"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sl.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sl.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 47bbb5733eec..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sl.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Ne najdete tega, kar ste iskali?"; -"Rate App" = "Oceni aplikacijo"; -"We\'re happy to help you!" = "Z veseljem vam pomagamo."; -"Did we answer all your questions?" = "Ali smo odgovorili na vsa vaša vprašanja?"; -"Remind Later" = "Spomni me pozneje"; -"Your message has been received." = "Vaše sporočilo smo prejeli."; -"Message send failure." = "Napaka pri pošiljanju sporočila"; -"What\'s your feedback about our customer support?" = "Kakšno je vaše mnenje o naši podpori za stranke?"; -"Take a screenshot on your iPhone" = "Naredite posnetek zaslona na svojem iPhonu"; -"Learn how" = "Ugotovite, kako"; -"Take a screenshot on your iPad" = "Naredite posnetek zaslona na svojem iPadu"; -"Your email(optional)" = "Vaša e-pošta (izbirno)"; -"Conversation" = "Pogovor"; -"View Now" = "Oglej si zdaj"; -"SEND ANYWAY" = "VSEENO POŠLJI"; -"OK" = "V REDU"; -"Help" = "Pomoč"; -"Send message" = "Pošlji sporočilo"; -"REVIEW" = "OCENI"; -"Share" = "Daj v skupno rabo"; -"Close Help" = "Zapri pomoč"; -"Sending your message..." = "Pošiljanje sporočila ..."; -"Learn how to" = "Ugotovite, kako"; -"No FAQs found in this section" = "V tem razdelku ni najdenih vprašanj in odgovorov"; -"Thanks for contacting us." = "Hvala, ker ste se obrnili na nas."; -"Chat Now" = "Začni klepet"; -"Buy Now" = "Kupi zdaj"; -"New Conversation" = "Nov pogovor"; -"Please check your network connection and try again." = "Preverite omrežno povezavo in poskusite znova."; -"New message from Support" = "Novo sporočilo iz Podpore"; -"Question" = "Vprašanje"; -"Type in a new message" = "Vnesite novo sporočilo"; -"Email (optional)" = "E-pošta (dodatna možnost)"; -"Reply" = "Odgovori"; -"CONTACT US" = "STIK Z NAMI"; -"Email" = "E-pošta"; -"Like" = "Všeč mi je"; -"Tap here if this FAQ was not helpful to you" = "Tapnite tukaj, če menite, da to pogosto vprašanje ni bilo koristno"; -"Any other feedback? (optional)" = "Imate še kakšne druge povratne informacije? (Dodatna možnost)"; -"You found this helpful." = "To se vam zdi koristno."; -"No working Internet connection is found." = "Najti ni bilo mogoče nobene delujoče internetne povezave."; -"No messages found." = "Nobenega sporočila ni bilo mogoče najti."; -"Please enter a brief description of the issue you are facing." = "Prosimo, vnesite kratek opis težave, s katero se soočate."; -"Shop Now" = "Nakupuj"; -"Close Section" = "Zapri razdelek"; -"Close FAQ" = "Zapri razdelek s pogostimi vprašanji"; -"Close" = "Zapri"; -"This conversation has ended." = "Ta pogovor je zaključen."; -"Send it anyway" = "Vseeno pošlji"; -"You accepted review request." = "Sprejeli ste zahtevo za oceno."; -"Delete" = "Izbriši"; -"What else can we help you with?" = "S čim vam lahko še pomagamo?"; -"Tap here if the answer was not helpful to you" = "Tapnite tukaj, če menite, da odgovor ni bil koristen"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Žal nam je. Nam lahko poveste več o težavi, s katero se soočate?"; -"Service Rating" = "Ocena storitve"; -"Your email" = "Vaša e-pošta"; -"Email invalid" = "E-poštni naslov ni veljaven"; -"Could not fetch FAQs" = "Pogostih vprašanj ni bilo mogoče pridobiti"; -"Thanks for rating us." = "Hvala, ker ste nas ocenili."; -"Download" = "Prenesi"; -"Please enter a valid email" = "Vnesite veljavno e-pošto"; -"Message" = "Sporočilo"; -"or" = "ali"; -"Decline" = "Zavrni"; -"No" = "Ne"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Posnetka zaslona ni bilo mogoče poslati. Slika je prevelika. Poskusite z drugo sliko."; -"Hated it" = "Bilo je grozno"; -"Stars" = "Zvezdice"; -"Your feedback has been received." = "Vaše povratne informacije smo prejeli."; -"Dislike" = "Ni mi všeč"; -"Preview" = "Predogled"; -"Book Now" = "Rezerviraj"; -"START A NEW CONVERSATION" = "ZAČNI NOV POGOVOR"; -"Your Rating" = "Vaša ocena"; -"No Internet!" = "Ni internetne povezave."; -"Invalid Entry" = "Neveljaven vnos"; -"Loved it" = "Bilo je super"; -"Review on the App Store" = "Ocenite v trgovini App Store"; -"Open Help" = "Odpri pomoč"; -"Search" = "Išči"; -"Tap here if you found this FAQ helpful" = "Tapnite tukaj, če menite, da je bilo to pogosto vprašanje koristno"; -"Star" = "Zvezdica"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tapnite tukaj, če menite, da je bil odgovor koristen"; -"Report a problem" = "Prijavite težavo"; -"YES, THANKS!" = "DA, HVALA!"; -"Was this helpful?" = "Ali je bilo to v pomoč?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Sporočilo ni poslano. Tapnite \"Poskusi znova\", da ponovno pošljete sporočilo."; -"Suggestions" = "Predlogi"; -"No FAQs found" = "Najdeno ni bilo nobeno pogosto vprašanje"; -"Done" = "Končano"; -"Opening Gallery..." = "Odpiranje galerije ..."; -"You rated the service with" = "Storitev ste ocenili takole:"; -"Cancel" = "Prekliči"; -"Loading..." = "Nalaganje ..."; -"Read FAQs" = "Preberi razdelek s pogostimi vprašanji"; -"Thanks for messaging us!" = "Hvala, ker ste nam poslali sporočilo."; -"Try Again" = "Poskusite znova"; -"Send Feedback" = "Pošlji povratne informacije"; -"Your Name" = "Vaše ime"; -"Please provide a name." = "Prosimo, vnesite ime."; -"FAQ" = "Pogosta vprašanja"; -"Describe your problem" = "Opišite svojo težavo"; -"How can we help?" = "Kako vam lahko pomagamo?"; -"Help about" = "Več informacij o podpori"; -"We could not fetch the required data" = "Zahtevanih podatkov ni bilo mogoče pridobiti"; -"Name" = "Ime"; -"Sending failed!" = "Pošiljanje ni uspelo!"; -"You didn't find this helpful." = "To se vam ne zdi koristno."; -"Attach a screenshot of your problem" = "Priložite posnetek zaslona o težavi"; -"Mark as read" = "Označi kot prebrano"; -"Name invalid" = "Ime ni veljavno"; -"Yes" = "Da"; -"What's on your mind?" = "O čem razmišljate?"; -"Send a new message" = "Pošlji novo sporočilo"; -"Questions that may already have your answer" = "Vprašanja, ki morda že imajo vaš odgovor"; -"Attach a photo" = "Priloži sliko"; -"Accept" = "Sprejmi"; -"Your reply" = "Vaš odgovor"; -"Inbox" = "Mapa »Prejeto«"; -"Remove attachment" = "Odstrani prilogo"; -"Could not fetch message" = "Sporočila ni bilo mogoče pridobiti"; -"Read FAQ" = "Preberi pogosta vprašanja"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Pogovor se je končal zaradi neaktivnosti. Začnite nov pogovor z našimi posredniki."; -"%d new messages from Support" = "Št. novih sporočil od podpore: %d"; -"Ok, Attach" = "V redu, priloži"; -"Send" = "Pošlji"; -"Screenshot size should not exceed %.2f MB" = "Posnetek zaslona ne sme presegati %.2f MB"; -"Information" = "Informacije"; -"Issue ID" = "ID zadeve"; -"Tap to copy" = "Tapni za kopiranje"; -"Copied!" = "Kopirano!"; -"We couldn't find an FAQ with matching ID" = "Pogostega vprašanja s tem ID-jem ni bilo mogoče najti"; -"Failed to load screenshot" = "Posnetka zaslona ni bilo mogoče naložiti"; -"Failed to load video" = "Videoposnetka ni bilo mogoče naložiti"; -"Failed to load image" = "Slike ni bilo mogoče naložiti"; -"Hold down your device's power and home buttons at the same time." = "Hkrati pritisnite in pridržite gumb za vklop/izklop in gumb za začetni zaslon na napravi."; -"Please note that a few devices may have the power button on the top." = "Upoštevajte, da je lahko gumb za napajanje pri nekaterih napravah na vrhu."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Ko končate, se vrnite v ta pogovor in tapnite »Ok, attach« (V redu, priloži), da priložite posnetek zaslona."; -"Okay" = "V redu"; -"We couldn't find an FAQ section with matching ID" = "Razdelka s pogostimi vprašanji in odgovori, ki bi imel enak ID, ni bilo mogoče najti"; - -"GIFs are not supported" = "GIF-ji niso podprti"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sv.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sv.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 88eaa8c57977..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/sv.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,150 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Kan vi inte hitta vad du söker?"; -"Rate App" = "Betygsätt appen"; -"We\'re happy to help you!" = "Vi hjälper dig gärna!"; -"Did we answer all your questions?" = "Svarade vi på alla dina frågor?"; -"Remind Later" = "Påminn mig senare"; -"Your message has been received." = "Vi har tagit emot ditt meddelande."; -"Message send failure." = "Meddelandet skickades inte."; -"What\'s your feedback about our customer support?" = "Vad tycker du om vår kundsupport?"; -"Take a screenshot on your iPhone" = "Ta en skärmbild med din iPhone"; -"Learn how" = "Lär dig hur"; -"Take a screenshot on your iPad" = "Ta en skärmbild med din iPad"; -"Your email(optional)" = "Din e-post (valfritt)"; -"Conversation" = "Konversation"; -"View Now" = "Visa nu"; -"SEND ANYWAY" = "SKICKA ÄNDÅ"; -"OK" = "OK"; -"Help" = "Hjälp"; -"Send message" = "Skicka meddelande"; -"REVIEW" = "RECENSION"; -"Share" = "Dela"; -"Close Help" = "Stäng hjälp"; -"Sending your message..." = "Skickar ditt meddelande"; -"Learn how to" = "Så gör du"; -"No FAQs found in this section" = "Det gick inte att hitta Vanliga frågor i den här sektionen"; -"Thanks for contacting us." = "Tack för att du kontaktar oss."; -"Chat Now" = "Chatta nu"; -"Buy Now" = "Köp nu"; -"New Conversation" = "Ny konversation"; -"Please check your network connection and try again." = "Kontrollera din nätverksanslutning och försök igen."; -"New message from Support" = "Nytt meddelande från Supporten"; -"Question" = "Fråga"; -"Type in a new message" = "Skriv in ett nytt meddelande"; -"Email (optional)" = "E-post (valfritt)"; -"Reply" = "Svara"; -"CONTACT US" = "KONTAKTA OSS"; -"Email" = "E-post"; -"Like" = "Gilla"; -"Tap here if this FAQ was not helpful to you" = "Tryck här om de vanliga frågorna inte var till hjälp"; -"Any other feedback? (optional)" = "Annan feedback? (valfri)"; -"You found this helpful." = "Du tyckte att det var användbart."; -"No working Internet connection is found." = "Det gick inte att hitta en fungerande internetanslutning!"; -"No messages found." = "Inga meddelanden hittades."; -"Please enter a brief description of the issue you are facing." = "Skriv in en kort beskrivning av ditt problem."; -"Shop Now" = "Handla nu"; -"Close Section" = "Stäng sektionen"; -"Close FAQ" = "Stäng vanliga frågor"; -"Close" = "Stäng"; -"This conversation has ended." = "Konversationen har avslutats."; -"Send it anyway" = "Skicka ändå"; -"You accepted review request." = "Du accepterade recensionsförfrågan."; -"Delete" = "Radera"; -"What else can we help you with?" = "Vad mer kan vi hjälpa dig med?"; -"Tap here if the answer was not helpful to you" = "Tryck här om svaret inte var till hjälp"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Det var tråkigt att höra. Kan du berätta lite mer om ditt problem?"; -"Service Rating" = "Servicerecension"; -"Your email" = "Din e-post"; -"Email invalid" = "Ogiltig e-post"; -"Could not fetch FAQs" = "Kunde inte hämta Vanliga frågor"; -"Thanks for rating us." = "Tack för att du betygsätter oss."; -"Download" = "Ladda ned"; -"Please enter a valid email" = "Skriv in en giltig e-post"; -"Message" = "Meddelande"; -"or" = "eller"; -"Decline" = "Avböj"; -"No" = "Nej"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Skärmbilden kunde inte skickas. Bilden är för stor, försök igen med en annan bild"; -"Hated it" = "Hatade den"; -"Stars" = "Stjärnor"; -"Your feedback has been received." = "Vi har tagit emot din feedback."; -"Dislike" = "Ogilla"; -"Preview" = "Granskning"; -"Book Now" = "Boka nu"; -"START A NEW CONVERSATION" = "STARTA EN NY KONVERSATION"; -"Your Rating" = "Din betygsättning"; -"No Internet!" = "Ingen internet!"; -"Invalid Entry" = "Ogiltig text"; -"Loved it" = "Älskade den"; -"Review on the App Store" = "Recensera i App Store"; -"Open Help" = "Öppna hjälp"; -"Search" = "Sök"; -"Tap here if you found this FAQ helpful" = "Tryck här om de vanliga frågorna var till hjälp"; -"Star" = "Stjärna"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Tryck här om svaret var till hjälp"; -"Report a problem" = "Rapportera ett fel"; -"YES, THANKS!" = "JA, TACK!"; -"Was this helpful?" = "Var det här användbart?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Ditt meddelande skickades inte. Peka på \"Försök igen\" för att skicka det här meddelandet?"; -"Suggestions" = "Förslag"; -"No FAQs found" = "Inga Vanliga frågor funna"; -"Done" = "Klart"; -"Opening Gallery..." = "Öppnar galleri ..."; -"You rated the service with" = "Du gav tjänsten"; -"Cancel" = "Avbryt"; -"Loading..." = "Laddar ..."; -"Read FAQs" = "Läs vanliga frågor"; -"Thanks for messaging us!" = "Tack för att du skrev till oss!"; -"Try Again" = "Försök igen"; -"Send Feedback" = "Skicka feedback"; -"Your Name" = "Ditt namn"; -"Please provide a name." = "Ange ett namn"; -"FAQ" = "Vanliga frågor"; -"Describe your problem" = "Beskriv ditt problem"; -"How can we help?" = "Hur kan vi hjälpa till?"; -"Help about" = "Hjälp med"; -"We could not fetch the required data" = "Vi kunde inte hämta de data som krävs"; -"Name" = "Namn"; -"Sending failed!" = "Det gick inte att skicka!"; -"You didn't find this helpful." = "Du tyckte inte att det var användbart."; -"Attach a screenshot of your problem" = "Bifoga en skärmbild av ditt problem"; -"Mark as read" = "Markera som läst"; -"Name invalid" = "Ogiltigt namn"; -"Yes" = "Ja"; -"What's on your mind?" = "Vad har du på hjärtat?"; -"Send a new message" = "Skicka ett nytt meddelande"; -"Questions that may already have your answer" = "Frågor som kanske redan har svar"; -"Attach a photo" = "Bifoga ett foto"; -"Accept" = "Acceptera"; -"Your reply" = "Ditt svar"; -"Inbox" = "Inkorg"; -"Remove attachment" = "Ta bort bilaga"; -"Could not fetch message" = "Kunde inte hämta meddelande"; -"Read FAQ" = "Läs vanliga frågor"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Tyvärr har den här konversationen stängts på grund av inaktivitet. Starta gärna en ny konversation med oss."; -"%d new messages from Support" = "%d nya meddelanden från Supporten"; -"Ok, Attach" = "Ok, bifoga"; -"Send" = "Skicka"; -"Screenshot size should not exceed %.2f MB" = "Skärmbildens storlek får inte överskrida %.2f MB"; -"Information" = "Information"; -"Issue ID" = "Ärende-id"; -"Tap to copy" = "Tryck för att kopiera"; -"Copied!" = "Kopierat!"; -"We couldn't find an FAQ with matching ID" = "Vi kunde inte hitta någon vanlig fråga med detta id"; -"Failed to load screenshot" = "Kunde inte ladda skärmbild"; -"Failed to load video" = "Kunde inte ladda video"; -"Failed to load image" = "Kunde inte ladda bild"; -"Hold down your device's power and home buttons at the same time." = "Håll in din enhets ström- och hemknapp samtidigt."; -"Please note that a few devices may have the power button on the top." = "Obs! En del enheter kan ha strömknappen på ovansidan."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Återvänd till det här meddelandet när det är gjort och tryck på \"Ok, bifoga\" för att bifoga bilden."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Vi kunde inte hitta någon Vanliga frågor-sektion med detta id"; - -"GIFs are not supported" = "GIF stöds inte"; - diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ta.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ta.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 17f043b16f02..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/ta.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "நீங்கள் தேடுவது கிடைக்கவில்லையா?"; -"Rate App" = "பயன்பாட்டை மதிப்பிடுக"; -"We\'re happy to help you!" = "உங்களுக்கு உதவக் காத்திருக்கிறோம்!"; -"Did we answer all your questions?" = "எல்லா கேள்விகளுக்கும் பதிலளித்துள்ளோமா?"; -"Remind Later" = "பின்னர் நினைவூட்டு"; -"Your message has been received." = "உங்கள் செய்தி வந்து சேர்ந்தது."; -"Message send failure." = "செய்தியை அனுப்ப முடியவில்லை."; -"What\'s your feedback about our customer support?" = "எங்கள் வாடிக்கையாளர் ஆதரவைப் பற்றி உங்கள் கருத்து?"; -"Take a screenshot on your iPhone" = "உங்கள் iPhone இல் ஸ்கிரீன்ஷாட் எடுக்கவும்"; -"Learn how" = "எப்படி என்று அறிந்து கொள்க"; -"Take a screenshot on your iPad" = "உங்கள் iPad இல் ஸ்கிரீன்ஷாட் எடுக்கவும்"; -"Your email(optional)" = "உங்கள் மின்னஞ்சல் (விரும்பினால்)"; -"Conversation" = "உரையாடல்"; -"View Now" = "இப்போது காட்டு"; -"SEND ANYWAY" = "எப்படியிருந்தாலும் அனுப்பு"; -"OK" = "சரி"; -"Help" = "உதவி"; -"Send message" = "செய்தியை அனுப்பு"; -"REVIEW" = "மதிப்புரை"; -"Share" = "பகிர்"; -"Close Help" = "உதவியை மூடு"; -"Sending your message..." = "உங்கள் செய்தியை அனுப்புகிறது..."; -"Learn how to" = "எப்படி என்று அறிந்து கொள்க"; -"No FAQs found in this section" = "இந்தப் பிரிவில் கேள்வி பதில்கள் இல்லை"; -"Thanks for contacting us." = "எங்களைத் தொடர்பு கொண்டதற்கு நன்றி."; -"Chat Now" = "இப்போது அரட்டையடி"; -"Buy Now" = "இப்போது வாங்கு"; -"New Conversation" = "புதிய உரையாடல்"; -"Please check your network connection and try again." = "உங்கள் இணைய இணைப்பைச் சரிபார்த்து மீண்டும் முயற்சி செய்யவும்."; -"New message from Support" = "ஆதரவு மையத்தில் இருந்து புதிய செய்தி"; -"Question" = "கேள்வி"; -"Type in a new message" = "புதிய செய்தியைத் தட்டச்சு செய்க"; -"Email (optional)" = "மின்னஞ்சல் (விரும்பினால்)"; -"Reply" = "பதிலளி"; -"CONTACT US" = "எங்களைத் தொடர்பு கொள்க"; -"Email" = "மின்னஞ்சல்"; -"Like" = "விரும்புகிறேன்"; -"Tap here if this FAQ was not helpful to you" = "இந்தக் கேள்வி பதில் உங்களுக்கு உதவியாக இல்லை என்றால் இங்கே தட்டவும்"; -"Any other feedback? (optional)" = "வேறு ஏதேனும் கருத்து உள்ளதா? (விரும்பினால்)"; -"You found this helpful." = "இது உதவியாக இருந்தது."; -"No working Internet connection is found." = "இணைய இணைப்பு எதுவும் பயன்பாட்டில் இல்லை."; -"No messages found." = "செய்திகள் இல்லை."; -"Please enter a brief description of the issue you are facing." = "நீங்கள் சந்திக்கும் பிரச்சனை குறித்து சுருக்கமான விளக்கத்தை உள்ளிடவும்.."; -"Shop Now" = "இப்போது ஷாப்பிங் செய்"; -"Close Section" = "பிரிவை மூடு"; -"Close FAQ" = "கேள்வி பதிலை மூடு"; -"Close" = "மூடு"; -"This conversation has ended." = "இந்த உரையாடல் முடிந்தது."; -"Send it anyway" = "எப்படியிருந்தாலும் அனுப்பு"; -"You accepted review request." = "மதிப்பாய்வுக் கோரிக்கையை ஏற்றுக் கொண்டீர்கள்."; -"Delete" = "நீக்கு"; -"What else can we help you with?" = "வேறு ஏதாவது உதவி தேவையா?"; -"Tap here if the answer was not helpful to you" = "பதில் உங்களுக்கு உதவியாக இல்லை என்றால் இங்கே தட்டவும்"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "அதற்காக வருந்துகிறோம். நீங்கள் சந்திக்கும் பிரச்சனை குறித்து மேலும் விரிவாகக் கூற முடியுமா?"; -"Service Rating" = "சேவை மதிப்பீடு"; -"Your email" = "உங்கள் மின்னஞ்சல்"; -"Email invalid" = "தவறான மின்னஞ்சல்"; -"Could not fetch FAQs" = "கேள்வி பதில்களைப் பெற முடியவில்லை"; -"Thanks for rating us." = "மதிப்பீடு வழங்கியதற்கு நன்றி."; -"Download" = "பதிவிறக்கு"; -"Please enter a valid email" = "சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்"; -"Message" = "செய்தி"; -"or" = "அல்லது"; -"Decline" = "நிராகரி"; -"No" = "இல்லை"; -"Screenshot could not be sent. Image is too large, try again with another image" = "ஸ்கிரீன்ஷாட்டை அனுப்ப முடியவில்லை. படம் மிகவும் சிறியதாக உள்ளது. மற்று படத்தைக் கொண்டு மீண்டும் முயற்சி செய்யவும்"; -"Hated it" = "பிடிக்கவில்லை"; -"Stars" = "நட்சத்திரங்கள்"; -"Your feedback has been received." = "உங்கள் கருத்து வந்து சேர்ந்தது."; -"Dislike" = "விரும்பவில்லை"; -"Preview" = "மாதிரிக்காட்சி"; -"Book Now" = "இப்போது முன்பதிவு செய்"; -"START A NEW CONVERSATION" = "புதிய உரையாடலைத் தொடங்கு"; -"Your Rating" = "உங்கள் மதிப்பீடு"; -"No Internet!" = "இணைப்பு இல்லை"; -"Invalid Entry" = "தவறான உள்ளீடு"; -"Loved it" = "பிடித்திருக்கிறது"; -"Review on the App Store" = "App Store இல் மதிப்புரை வழங்கவும்"; -"Open Help" = "உதவியைத் திற"; -"Search" = "தேடு"; -"Tap here if you found this FAQ helpful" = "இந்தக் கேள்வி பதில் உங்களுக்கு உதவியாக இருந்தால் இங்கே தட்டவும்"; -"Star" = "நட்சத்திரம்"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "இந்தப் பதில் உங்களுக்கு உதவியாக இருந்தால் இங்கே தட்டவும்"; -"Report a problem" = "சிக்கல் குறித்துப் புகாரளிக்கவும்"; -"YES, THANKS!" = "ஆம், நன்றி!"; -"Was this helpful?" = "இது உதவியாக இருந்ததா?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "உங்கள் செய்தி அனுப்பப்படவில்லை.இந்தச் செய்தியை அனுப்ப, \"மீண்டும் முயற்சி செய்\" என்பதைத் தட்டவும்?"; -"Suggestions" = "ஆலோசனைகள்"; -"No FAQs found" = "கேள்வி பதில்கள் இல்லை"; -"Done" = "முடிந்தது"; -"Opening Gallery..." = "கேலரியைத் திறக்கிறது..."; -"You rated the service with" = "சேவைக்கு நீங்கள் வழங்கிய மதிப்பீடு:"; -"Cancel" = "ரத்துசெய்"; -"Loading..." = "ஏற்றுகிறது..."; -"Read FAQs" = "கேள்வி பதிலைப் படிக்கவும்"; -"Thanks for messaging us!" = "செய்தி அனுப்பியதற்கு நன்றி!"; -"Try Again" = "மீண்டும் முயற்சி செய்யவும்"; -"Send Feedback" = "கருத்து அனுப்பு"; -"Your Name" = "உங்கள் பெயர்"; -"Please provide a name." = "பெயரை உள்ளிடவும்."; -"FAQ" = "கேள்வி பதில்"; -"Describe your problem" = "உங்கள் பிரச்சனையை விவரிக்கவும்"; -"How can we help?" = "எப்படி உதவ வேண்டும்?"; -"Help about" = "இதைப் பற்றிய உதவி"; -"We could not fetch the required data" = "தேவையான தரவைப் பெற முடியவில்லை"; -"Name" = "பெயர்"; -"Sending failed!" = "அனுப்ப முடியவில்லை!"; -"You didn't find this helpful." = "இது உதவியாக இல்லை."; -"Attach a screenshot of your problem" = "உங்கள் பிரச்சனையைக் காட்டும் ஸ்கிரீன்ஷாட்டை இணைக்கவும்"; -"Mark as read" = "படித்ததாகக் குறி"; -"Name invalid" = "தவறான பெயர்"; -"Yes" = "ஆம்"; -"What's on your mind?" = "என்ன நினைக்கிறீர்கள்?"; -"Send a new message" = "புதிய செய்தியை அனுப்பவும்"; -"Questions that may already have your answer" = "ஏற்கனவே பதிலளிக்கப்பட்டுள்ள கேள்விகள்"; -"Attach a photo" = "படத்தை இணை"; -"Accept" = "ஏற்கவும்"; -"Your reply" = "உங்கள் பதில்"; -"Inbox" = "இன்பாக்ஸ்"; -"Remove attachment" = "இணைப்பை அகற்று"; -"Could not fetch message" = "செய்தியைப் பெற முடியவில்லை"; -"Read FAQ" = "கேள்வி பதிலைப் படிக்கவும்"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "மன்னிக்கவும் இந்த உரையாடல் செயல்படாமல் இருந்ததால் மூடப்பட்டது. எங்கள் முகவர்களுடன் புதிய உரையாடலைத் தொடங்கவும்."; -"%d new messages from Support" = "%d ஆதரவு மையத்தில் இருந்து புதிய செய்திகள்"; -"Ok, Attach" = "சரி, இணை"; -"Send" = "அனுப்பு"; -"Screenshot size should not exceed %.2f MB" = "ஸ்கிரீன்ஷாட்டின் அளவு %.2f MB க்கு மிகாமல் இருக்க வேண்டும்"; -"Information" = "தகவல்"; -"Issue ID" = "சிக்கல் ஐடி"; -"Tap to copy" = "நகலெடுக்க தட்டவும்"; -"Copied!" = "நகலெடுக்கப்பட்டது!"; -"We couldn't find an FAQ with matching ID" = "பொருந்தும் ஐடியுடன் FAQஐ கண்டறிய முடியவில்லை"; -"Failed to load screenshot" = "ஸ்கிரீன்ஷாட்டை ஏற்றுதல் தோல்வி"; -"Failed to load video" = "வீடியோவை ஏற்றுதல் தோல்வி"; -"Failed to load image" = "படத்தை ஏற்றுதல் தோல்வி"; -"Hold down your device's power and home buttons at the same time." = "உங்கள் சாதனத்தின் பவர் மற்றும் முகப்பு பொத்தான்களை ஒரே நேரத்தில் அழுத்திப் பிடிக்கவும்."; -"Please note that a few devices may have the power button on the top." = "சில சாதனங்களில் பவர் பொத்தான் மேலே இருக்கும் என்பதை நினைவில் கொள்ளவும்."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "முடித்தவுடன், இந்த உரையாடலுக்குத் திரும்பி, அதை இணைப்பதற்கு “சரி, இணைக்கவும்” என்பதை தட்டவும்."; -"Okay" = "சரி"; -"We couldn't find an FAQ section with matching ID" = "பொருந்தும் ஐடியுடன் FAQ பிரிவைக் கண்டறிய முடியவில்லை"; - -"GIFs are not supported" = "GIF கள் ஆதரிக்கப்படவில்லை"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/te.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/te.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 1889f69a31a3..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/te.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "మీరు ఎదురుచూస్తున్న దానిని కనుక్కోలేము?"; -"Rate App" = "ప్రోగ్రాంను రేట్‌ చేయండి"; -"We\'re happy to help you!" = "మీకు సహాయపడేందుకు మేము సంతోషిస్తున్నాము!"; -"Did we answer all your questions?" = "మేము మీ ప్రశ్నలకన్నింటికీ సమాధానమిచ్చామా?"; -"Remind Later" = "తరువాత గుర్తు చేయండి"; -"Your message has been received." = "మీ సందేశం అందుకోబడినది."; -"Message send failure." = "సందేశాన్ని పంపడంలో వైఫల్యం."; -"What\'s your feedback about our customer support?" = "మా కస్టమర్‌ సపోర్డు గురించి మీ అభిప్రాయం ఏమిటి?"; -"Take a screenshot on your iPhone" = "మీ ఐఫోన్‌లో ఒక స్క్రీన్‌షాట్‌ను తీసుకోండి"; -"Learn how" = "ఎలానో తెలుసుకోండి"; -"Take a screenshot on your iPad" = "మీ ఐప్యాడ్‌లో ఒక స్క్రీన్‌షాట్‌ను తీసుకోండి"; -"Your email(optional)" = "మీ ఇమెయిల్(ఐచ్ఛికం)"; -"Conversation" = "సంభాషణ"; -"View Now" = "ఇప్పుడు వీక్షించండి"; -"SEND ANYWAY" = "అయినా సరే పంపండి"; -"OK" = "సరే"; -"Help" = "సహాయం"; -"Send message" = "సందేశాన్ని పంపండి"; -"REVIEW" = "సమీక్షించండి"; -"Share" = "పంచుకోండి"; -"Close Help" = "సహాయంను మూసేయండి"; -"Sending your message..." = "మీ సందేశాన్ని పంపుతున్నాము..."; -"Learn how to" = "ఎలా చేయాలో తెలుసుకోండి"; -"No FAQs found in this section" = "ఈ విభాగంలో ఎఫ్‌ఎక్యూలు ఏవీ లేవు"; -"Thanks for contacting us." = "మమ్మల్ని సంప్రదించినందుకు ధన్యవాదములు."; -"Chat Now" = "ఇప్పుడు చాట్ చేయండి"; -"Buy Now" = "ఇప్పుడు కొనుగోలు చేయండి"; -"New Conversation" = "కొత్త సంభాషణ"; -"Please check your network connection and try again." = "దయచేసి మీ నెట్‌వర్క్‌ కనెక్షన్‌ను చెక్ చేసుకుని, మళ్ళీ ప్రయత్నించండి."; -"New message from Support" = "సపోర్ట్‌ నుండి కొత్త సందేశం"; -"Question" = "ప్రశ్న"; -"Type in a new message" = "ఒక కొత్త సందేశాన్ని టైప్ చేయండి"; -"Email (optional)" = "ఇమెయిల్‌ (ఐచ్ఛికం)"; -"Reply" = "ప్రత్యుత్తరం"; -"CONTACT US" = "మమ్మల్ని సంప్రదించండి"; -"Email" = "ఇమెయిల్‌"; -"Like" = "ఇష్టపడండి"; -"Tap here if this FAQ was not helpful to you" = "ఈ FAQ గనక మీకు సహాయకరంగా లేకుంటే ఇక్కడ ట్యాప్ చేయండి"; -"Any other feedback? (optional)" = "ఇంకేదైనా అభిప్రాయం? (ఐచ్ఛికం)"; -"You found this helpful." = "మీకు ఇది సహాయకరంగా అనిపించింది."; -"No working Internet connection is found." = "పని చేస్తున్న ఇంటర్నెట్ కనెక్షన్‌ ఏదీ అందలేదు."; -"No messages found." = "ఏ సందేశాలు లేవు."; -"Please enter a brief description of the issue you are facing." = "మీరు ఎదుర్కొంటున్న సమస్యను గురించి క్లుప్తమైన వివరణను ప్రవేశపెట్టండి."; -"Shop Now" = "ఇప్పుడు షాప్ చేయండి"; -"Close Section" = "విభాగాన్ని మూసేయండి"; -"Close FAQ" = "FAQని మూసేయండి"; -"Close" = "మూసివేయండి"; -"This conversation has ended." = "ఈ సంభాషణ ముగిసినది."; -"Send it anyway" = "అయినా సరే దానిని పంపండి"; -"You accepted review request." = "సమీక్ష అభ్యర్ధనను మీరు ఆమోదించారు."; -"Delete" = "తొలగించండి"; -"What else can we help you with?" = "మీకు మేము మరింకే విధంగా సహాయపడగలము?"; -"Tap here if the answer was not helpful to you" = "సమాధానం గనక మీకు సహాయకరంగా లేకుంటే ఇక్కడ ట్యాప్ చేయండి"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "మీరు ఎదుర్కొంటున్న సమస్యను విని చింతిస్తున్నాము. దాని గురించి మీరు మాకు మరి కొంత సమాచారాన్ని అందించగలరా?"; -"Service Rating" = "సేవకు రేటింగు"; -"Your email" = "మీ ఇమెయిల్"; -"Email invalid" = "ఇమెయిల్‌ చెల్లనిది"; -"Could not fetch FAQs" = "ఎఫ్‌ఎక్యూలను తీసుకురాలేకపోయాము"; -"Thanks for rating us." = "మమ్మల్ని రేట్ చేసినందుకు ధన్యవాదాలు."; -"Download" = "డౌన్‌లోడ్‌ చేయండి"; -"Please enter a valid email" = "దయచేసి ఒక సరైన ఇమెయిల్‌ను ప్రవేశపెట్టండి"; -"Message" = "సందేశం"; -"or" = "లేదా"; -"Decline" = "నిరాకరించండి"; -"No" = "కాదు"; -"Screenshot could not be sent. Image is too large, try again with another image" = "స్క్రీన్‌షాట్‌ను పంపించలేము. చిత్రం చాలా పెద్దగా ఉన్నది, మరొక చిత్రంతో మళ్ళీ ప్రయత్నించండి."; -"Hated it" = "అసహ్యించుకుంటున్నాము"; -"Stars" = "స్టార్‌లు"; -"Your feedback has been received." = "మీ అభిప్రాయం అందుకోబడినది."; -"Dislike" = "అయిష్టతను చూపండి"; -"Preview" = "ప్రివ్యూ"; -"Book Now" = "ఇప్పుడు బుక్‌ చేయండి"; -"START A NEW CONVERSATION" = "ఒక కొత్త సంభాషణను ఆరంభించండి"; -"Your Rating" = "మీ రేటింగు"; -"No Internet!" = "ఇంటర్నెట్‌ లేదు!"; -"Invalid Entry" = "చెల్లని నమోదు"; -"Loved it" = "ఇష్టపడుతున్నాము"; -"Review on the App Store" = "యాప్‌ స్టోర్‌ మీద సమీక్షించండి"; -"Open Help" = "సహాయాన్ని తెరవండి"; -"Search" = "వెతకండి"; -"Tap here if you found this FAQ helpful" = "ఈ FAQ గనక మీకు సహాయకరంగా అనిపిస్తే ఇక్కడ ట్యాప్ చేయండి"; -"Star" = "స్టార్‌"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "సమాధానం గనక మీకు సహాయకరంగా అనిపిస్తే ఇక్కడ ట్యాప్ చేయండి"; -"Report a problem" = "ఒక సమస్యను నివేదించండి"; -"YES, THANKS!" = "అవును, ధన్యవాదాలు!"; -"Was this helpful?" = "ఇది సహాయకరంగా ఉందా?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "మీ సందేశం పంపబడలేదు. ఈ సందేశాన్ని పంపేందుకు \"మళ్ళీ ప్రయత్నించండి\"ని ట్యాప్ చేయాలా?"; -"Suggestions" = "సలహాలు"; -"No FAQs found" = "ఎఫ్‌ఎక్యూలు ఏవీ దొరకలేదు"; -"Done" = "అయ్యింది"; -"Opening Gallery..." = "గ్యాలరీని తెరుస్తున్నాము..."; -"You rated the service with" = "మీరు సర్వీసును దీనితో రేట్ చేశారు"; -"Cancel" = "రద్దుచెయ్యండి"; -"Loading..." = "లోడ్‌ అవుతున్నది..."; -"Read FAQs" = "FAQలను చదవండి"; -"Thanks for messaging us!" = "మాకు సందేశాన్ని పంపినందుకు ధన్యవాదాలు!"; -"Try Again" = "మళ్ళీ ప్రయత్నించండి"; -"Send Feedback" = "అభిప్రాయాన్ని పంపండి"; -"Your Name" = "మీ పేరు"; -"Please provide a name." = "ఒక పేరును దయచేసి ప్రవేశపెట్టండి."; -"FAQ" = "ఎఫ్‌ఎక్యూ"; -"Describe your problem" = "మీ సమస్యను విశదపరచండి"; -"How can we help?" = "మేమెలా సహాయపడగలము?"; -"Help about" = "సహాయం గురించి"; -"We could not fetch the required data" = "కావలసిన సమాచారాన్ని మేము తీసుకురాలేకపోయాము"; -"Name" = "పేరు"; -"Sending failed!" = "పంపడం విఫలమైంది!"; -"You didn't find this helpful." = "మీకు ఇది సహాయకరంగా అనిపించలేదు."; -"Attach a screenshot of your problem" = "మీ సమస్యకు సంబంధించిన ఒక స్క్రీన్‌షాట్‌ను జోడించండి"; -"Mark as read" = "చదివినట్లుగా గుర్తు పెట్టండి"; -"Name invalid" = "పేరు చెల్లనిది"; -"Yes" = "అవును"; -"What's on your mind?" = "మీరు ఏమనుకుంటున్నారు?"; -"Send a new message" = "ఒక కొత్త సందేశాన్ని పంపండి"; -"Questions that may already have your answer" = "మీ సమాధానాలను ఇప్పటికే కలిగి ఉన్న ప్రశ్నలు"; -"Attach a photo" = "ఒక ఫోటోను జతచేయండి"; -"Accept" = "సమ్మతించండి"; -"Your reply" = "మీ ప్రత్యుత్తరం"; -"Inbox" = "ఇన్‌బాక్స్‌"; -"Remove attachment" = "అటాచ్‌మెంట్‌ను తొలగించండి"; -"Could not fetch message" = "సందేశాన్ని పొందలేకపోయాము"; -"Read FAQ" = "FAQ ను చదవండి"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "క్షమించాలి! స్తబ్దత కారణంగా ఈ సంభాషణ ముగించబడింది. మా ఏజెంట్లతో దయచేసి ఒక కొత్త సంభాషణను ఆరంభించండి."; -"%d new messages from Support" = "%d సపోర్ట్‌ నుండి కొత్త సందేశాలు"; -"Ok, Attach" = "సరే, జత చేయండి"; -"Send" = "పంపండి"; -"Screenshot size should not exceed %.2f MB" = "స్క్రీన్‌షాట్‌ పరిమాణం %.2f MB కి మించరాదు"; -"Information" = "సమాచారం"; -"Issue ID" = "సమస్య ఐడి"; -"Tap to copy" = "కాపీ చేసేందుకు ట్యాప్‌ చేయండి"; -"Copied!" = "కాపీ చేేయబడింది!"; -"We couldn't find an FAQ with matching ID" = "IDకి సరిపోయే FAQ ను మేము కనుగొనలేకపోయాము"; -"Failed to load screenshot" = "స్క్రీన్‌షాట్‌ లోడ్ చేయడంలో విఫలమైంది"; -"Failed to load video" = "వీడియ లోడ్ చేయడంలో విఫలమైంది"; -"Failed to load image" = "ఇమేజ్‌ని లోడ్ చేయడంలో విఫలమైంది"; -"Hold down your device's power and home buttons at the same time." = "మీ పరికరపు పవర్ మరియు హోం బటన్‌లను ఒకేసారి నొక్కి పట్టుకోండి."; -"Please note that a few devices may have the power button on the top." = "కొన్ని పరికరాలకు పవర్ బటన్‌ పై భాగంలో ఉంటుందని దయచేసి గమనించండి."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "అది అయ్యాక, ఈ సంభాషణకు తిరిగి వచ్చి. \"సరే, జతచేయండి\" మీద ట్యాప్ చేసి దానిని జతచేయండి."; -"Okay" = "సరే"; -"We couldn't find an FAQ section with matching ID" = "సరేిపోలే ఐడితో FAQ విభాగాన్ని మేము కనుగొనలేకపోయాము"; - -"GIFs are not supported" = "GIF లకి మద్దతు లేదు"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/th.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/th.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 87a2372b575b..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/th.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "ไม่พบสิ่งที่คุณกำลังค้นหาใช่หรือไม่"; -"Rate App" = "ให้คะแนนแอป"; -"We\'re happy to help you!" = "เรายินดีให้ความช่วยเหลือคุณ!"; -"Did we answer all your questions?" = "เราได้ตอบคำถามทั้งหมดของคุณแล้วหรือไม่"; -"Remind Later" = "เตือนภายหลัง"; -"Your message has been received." = "ได้รับข้อความของคุณแล้ว"; -"Message send failure." = "การส่งข้อความล้มเหลว"; -"What\'s your feedback about our customer support?" = "คุณมีคำติชมใดๆ เกี่ยวกับฝ่ายสนับสนุนลูกค้าของเราหรือไม่"; -"Take a screenshot on your iPhone" = "ถ่ายภาพหน้าจอ iPhone ของคุณ"; -"Learn how" = "เรียนรู้วิธี"; -"Name invalid" = "ชื่อไม่ถูกต้อง"; -"Take a screenshot on your iPad" = "ถ่ายภาพหน้าจอ iPad ของคุณ"; -"Your email(optional)" = "อีเมลของคุณ(ทางเลือก)"; -"Conversation" = "การสนทนา"; -"View Now" = "ดูตอนนี้"; -"SEND ANYWAY" = "ยืนยันที่จะส่ง"; -"OK" = "ตกลง"; -"Help" = "วิธีใช้"; -"Send message" = "ส่งข้อวาม"; -"REVIEW" = "ให้คำวิจารณ์"; -"Share" = "แชร์"; -"Close Help" = "ปิดความช่วยเหลือ"; -"Sending your message..." = "กำลังส่งข้อความของคุณ..."; -"Learn how to" = "เรียนรู้วิธี"; -"No FAQs found in this section" = "ไม่เจอคำถามที่พบบ่อยในหัวข้อนี้"; -"Thanks for contacting us." = "ขอบคุณสำหรับการติดต่อหาเรา"; -"Chat Now" = "แชทตอนนี้"; -"Buy Now" = "ซื้อตอนนี้"; -"New Conversation" = "การสนทนาใหม่"; -"Please check your network connection and try again." = "โปรดตรวจสอบการเชื่อมต่อเครือข่ายของคุณ และลองอีกครั้ง"; -"New message from Support" = "ข้อความใหม่จากฝ่ายช่วยเหลือลูกค้า"; -"Question" = "คำถาม"; -"Type in a new message" = "พิมพ์ข้อความใหม่ของคุณ"; -"Email (optional)" = "อีเมล (ทางเลือก)"; -"Reply" = "ตอบกลับ"; -"CONTACT US" = "ติดต่อเรา"; -"Email" = "อีเมล"; -"Like" = "ถูกใจ"; -"Tap here if this FAQ was not helpful to you" = "แตะที่นี่หากคำถามที่พบบ่อยนี้ไม่มีประโยชน์กับคุณ"; -"Any other feedback? (optional)" = "มีคำติชมอื่นใดหรือไม่ (ทางเลือก)"; -"You found this helpful." = "คุณเห็นว่า นี่เป็นเรื่องที่เป็นประโยชน์"; -"No working Internet connection is found." = "ไม่พบการเชื่อมต่อกับอินเทอร์เน็ต"; -"No messages found." = "ไม่พบข้อความ"; -"Please enter a brief description of the issue you are facing." = "โปรดป้อนคำอธิบายถึงปัญหาที่คุณประสบอยู่โดยย่อ"; -"Shop Now" = "เลือกซื้อตอนนี้"; -"Close Section" = "ปิดส่วน"; -"Close FAQ" = "ปิดคำถามที่พบบ่อย"; -"Close" = "ปิด"; -"This conversation has ended." = "การสนทนานี้จบลงแล้ว"; -"Send it anyway" = "ยืนยันที่จะส่ง"; -"You accepted review request." = "คุณยอมรับคำขอการให้คำวิจารณ์แล้ว"; -"Delete" = "ลบ"; -"What else can we help you with?" = "มีเรื่องอื่นใดที่เราจะช่วยคุณได้อีกหรือไม่"; -"Tap here if the answer was not helpful to you" = "แตะที่นี่หากคำตอบไม่มีประโยชน์กับคุณ"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "ขออภัยสำหรับเรื่องดังกล่าว โปรดแจ้งเราเพิ่มเติมเกี่ยวกับปัญหาที่คุณกำลังประสบอยู่ได้หรือไม่"; -"Service Rating" = "การให้คะแนนการบริการ"; -"Your email" = "อีเมลของคุณ"; -"Email invalid" = "อีเมลไม่ถูกต้อง"; -"Could not fetch FAQs" = "ไม่สามารถดึงข้อมูลคำถามที่ถามบ่อยได้"; -"Thanks for rating us." = "ขอบคุณสำหรับการให้คะแนนแก่เรา"; -"Download" = "ดาวน์โหลด"; -"Please enter a valid email" = "โปรดใส่อีเมลที่ถูกต้อง"; -"Message" = "ข้อความ"; -"or" = "หรือ"; -"Decline" = "ปฏิเสธ"; -"No" = "ไม่ใช่"; -"Screenshot could not be sent. Image is too large, try again with another image" = "ไม่สามารถส่งภาพถ่ายหน้าจอได้ ภาพถ่ายมีขนาดใหญ่เกินไป ลองอีกครั้งด้วยภาพถ่ายอื่น"; -"Hated it" = "ฉันไม่พอใจ"; -"Stars" = "ดาว"; -"Your feedback has been received." = "ได้รับข้อคิดเห็นของคุณแล้ว"; -"Dislike" = "เลิกถูกใจ"; -"Preview" = "เรียกดูตัวอย่าง"; -"Book Now" = "จองตอนนี้"; -"START A NEW CONVERSATION" = "เริ่มต้นการสนทนาใหม่"; -"Your Rating" = "การให้คะแนนของคุณ"; -"No Internet!" = "ไม่มีการเชื่อมต่ออินเทอร์เน็ต!"; -"Invalid Entry" = "ป้อนข้อมูลไม่ถูกต้อง"; -"Loved it" = "ฉันพอใจ"; -"Review on the App Store" = "คำวิจารณ์บน App Store"; -"Open Help" = "เปิดความช่วยเหลือ"; -"Search" = "ค้นหา"; -"Tap here if you found this FAQ helpful" = "แตะที่นี่หากคำถามที่พบบ่อยนี้มีประโยชน์กับคุณ"; -"Star" = "ดาว"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "แตะที่นี่หากคำตอบนี้มีประโยชน์กับคุณ"; -"Report a problem" = "รายงานปัญหา"; -"YES, THANKS!" = "ใช่ ขอบคุณ!"; -"Was this helpful?" = "สิ่งนี้มีประโยชน์หรือไม่"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "ข้อความของคุณยังไม่ถูกส่งออกไป แตะ \"ลองอีกครั้ง\" เพื่อส่งข้อความนี้หรือไม่"; -"Suggestions" = "ข้อแนะนำ"; -"No FAQs found" = "ไม่พบคำถามที่ถามบ่อย"; -"Done" = "เสร็จแล้ว"; -"Opening Gallery..." = "กำลังเปิดแกลลอรี..."; -"You rated the service with" = "คุณได้ให้คะแนนบริการนี้"; -"Cancel" = "ยกเลิก"; -"Loading..." = "กำลังโหลด..."; -"Read FAQs" = "อ่านคำถามที่พบบ่อย"; -"Thanks for messaging us!" = "ขอบคุณสำหรับการส่งข้อความถึงเรา!"; -"Try Again" = "ลองอีกครั้ง"; -"Send Feedback" = "ส่งคำติชม"; -"Your Name" = "ชื่อของคุณ"; -"Please provide a name." = "โปรดป้อนชื่อ"; -"FAQ" = "คำถามที่ถามบ่อย"; -"Describe your problem" = "อธิบายปัญหาของคุณ"; -"How can we help?" = "เราจะช่วยเหลือคุณได้อย่างไรบ้าง"; -"Help about" = "ความช่วยเหลือเกี่ยวกับ"; -"We could not fetch the required data" = "เราไม่สามารถดึงข้อมูลที่จำเป็นได้"; -"Name" = "ชื่อ"; -"Sending failed!" = "การส่งล้มเหลว!"; -"You didn't find this helpful." = "คุณไม่เห็นว่า นี่เป็นเรื่องที่เป็นประโยชน์"; -"Attach a screenshot of your problem" = "แนบภาพหน้าจอที่เกี่ยวข้องกับปัญหาของคุณ"; -"Mark as read" = "ทำเครื่องหมายว่าอ่านแล้ว"; -"Yes" = "ใช่"; -"What's on your mind?" = "คุณกำลังคิดถึงเรื่องใด"; -"Send a new message" = "ส่งข้อความใหม่"; -"Questions that may already have your answer" = "คำถามที่อาจมีคำตอบให้กับคุณแล้ว"; -"Attach a photo" = "แนบรูปภาพ"; -"Accept" = "ยอมรับ"; -"Your reply" = "การตอบกลับของคุณ"; -"Inbox" = "กล่องข้อความ"; -"Remove attachment" = "ลบไฟล์แนบ"; -"Could not fetch message" = "ไม่สามารถเรียกข้อความ"; -"Read FAQ" = "อ่านคำถามที่พบบ่อย"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "ขออภัย! การสนทนานี้จะปิดลงเนื่องจากไม่มีการใช้งาน โปรดเริ่มต้นการสนทนาใหม่กับตัวแทนของเรา"; -"%d new messages from Support" = "%d ข้อความใหม่จากฝ่ายช่วยเหลือลูกค้า"; -"Ok, Attach" = "ตกลง แนบ"; -"Send" = "ส่ง"; -"Screenshot size should not exceed %.2f MB" = "ขนาดของภาพหน้าจอไม่ควรเกิน %.2f MB"; -"Information" = "ข้อมูล"; -"Issue ID" = "ออกไอดี"; -"Tap to copy" = "แตะเพื่อคัดลอก"; -"Copied!" = "คัดลอกแล้ว"; -"We couldn't find an FAQ with matching ID" = "เราค้นหาคำถามที่พบบ่อยที่มี ID ตรงกันไม่พบ"; -"Failed to load screenshot" = "ล้มเหลวในการโหลดภาพสกรีนช็อต"; -"Failed to load video" = "ล้มเหลวในการโหลดวิดีโอ"; -"Failed to load image" = "ล้มเหลวในการโหลดภาพ"; -"Hold down your device's power and home buttons at the same time." = "กดปุ่มเปิด/ปิดและโฮมค้างไว้ในเวลาเดียวกัน"; -"Please note that a few devices may have the power button on the top." = "โปรดทราบว่าอุปกรณ์บางเครื่องอาจมีปุ่มเปิด/ปิดอยู่ด้านบน"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "เมื่อเสร็จสิ้นแล้ว ให้กลับมาที่การสนทนานี้แล้วแตะที่ \"ตกลง แนบ\" เพื่อแนบไฟล์"; -"Okay" = "ตกลง"; -"We couldn't find an FAQ section with matching ID" = "เราค้นหาส่วนคำถามที่พบบ่อยที่มี ID ตรงกันไม่พบ"; - -"GIFs are not supported" = "GIF ไม่ได้รับการสนับสนุน"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/tr.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/tr.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 789160d75b0d..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/tr.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Aradığını bulamıyoruz?"; -"Rate App" = "Uygulamayı Derecelendir"; -"We\'re happy to help you!" = "Yardımcı olmaktan memnuniyet duyarız!"; -"Did we answer all your questions?" = "Tüm sorularına yanıt verdik mi?"; -"Remind Later" = "Daha Sonra Hatırlat"; -"Your message has been received." = "Mesajın alındı."; -"Message send failure." = "Mesaj gönderme hatası."; -"What\'s your feedback about our customer support?" = "Müşteri desteğimiz ile ilgili geri bildirimin nedir?"; -"Take a screenshot on your iPhone" = "iPhone'nundan bir ekran görüntüsü al"; -"Learn how" = "Şimdi öğren"; -"Name invalid" = "İsim geçersiz"; -"Take a screenshot on your iPad" = "iPad'inden bir ekran görüntüsü al"; -"Your email(optional)" = "E-posta adresiniz (isteğe bağlı)"; -"Conversation" = "Konuşma"; -"View Now" = "Şimdi Görüntüle"; -"SEND ANYWAY" = "GENE DE GÖNDER"; -"OK" = "Tamam"; -"Help" = "Yardım"; -"Send message" = "Mesajı Gönder"; -"REVIEW" = "GÖZDEN GEÇİR"; -"Share" = "Paylaş"; -"Close Help" = "Yardımı Kapat"; -"Sending your message..." = "Mesajın gönderiliyor..."; -"Learn how to" = "Nasıl yapılacağını şimdi öğren"; -"No FAQs found in this section" = "Bu bölümde SSS bulunamadı"; -"Thanks for contacting us." = "Bizimle irtibata geçtiğin için teşekkür ederiz."; -"Chat Now" = "Sohbet Et"; -"Buy Now" = "Şimdi Satın Al"; -"New Conversation" = "Yeni Konuşma"; -"Please check your network connection and try again." = "Lütfen ağ bağlantını kontrol et ve yeniden dene."; -"New message from Support" = "Destek bölümünden yeni mesaj"; -"Question" = "Soru"; -"Type in a new message" = "Yeni bir mesaj yazın"; -"Email (optional)" = "E-posta (isteğe bağlı)"; -"Reply" = "Yanıtla"; -"CONTACT US" = "BİZE ULAŞIN"; -"Email" = "E-posta"; -"Like" = "Beğen"; -"Tap here if this FAQ was not helpful to you" = "Bu SSS yanıtını yararlı bulmadıysanız buraya dokunun"; -"Any other feedback? (optional)" = "Başka bir geri bildirim var mı? (optional)"; -"You found this helpful." = "Bunu yararlı buldun."; -"No working Internet connection is found." = "Çalışan bir İnternet bağlantısı bulunamadı."; -"No messages found." = "Mesaj bulunamadı."; -"Please enter a brief description of the issue you are facing." = "Lütfen karşılaştığın sorunun kısa bir tanımlamasını gir."; -"Shop Now" = "Şimdi Alışveriş Yap"; -"Close Section" = "Bölümü Kapat"; -"Close FAQ" = "SSS'ı Kapat"; -"Close" = "Kapat"; -"This conversation has ended." = "Bu konuşma son erdi."; -"Send it anyway" = "Her şekilde gönder"; -"You accepted review request." = "Gözden geçirme isteğini kabul ettin."; -"Delete" = "Sil"; -"What else can we help you with?" = "Başka nasıl yardımcı olabiliriz?"; -"Tap here if the answer was not helpful to you" = "Yanıt yardımcı olmadıysa buraya dokunun"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Bunu duyduğumuza üzüldük. Sorunla ilgili bize biraz daha fazla bilgi verebilir misin?"; -"Service Rating" = "Hizmet Değerlendirmesi"; -"Your email" = "E-posta adresiniz"; -"Email invalid" = "E-posta geçersiz"; -"Could not fetch FAQs" = "SSS getirilemedi"; -"Thanks for rating us." = "Bizi derecelendirdiğin için teşekkür ederiz."; -"Download" = "İndir"; -"Please enter a valid email" = "Lütfen geçerli bir e-posta adresi gir"; -"Message" = "Mesaj"; -"or" = "veya"; -"Decline" = "Reddet"; -"No" = "Hayır"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Ekran görüntüsü gönderilemedi. Görüntü çok büyük, başka bir görüntü ile yeniden dene"; -"Hated it" = "Nefret ettim"; -"Stars" = "Yıldız"; -"Your feedback has been received." = "Geri bildirimin alındı."; -"Dislike" = "Beğenme"; -"Preview" = "Ön izleme"; -"Book Now" = "Şimdi Rezerve Et"; -"START A NEW CONVERSATION" = "YENİ BİR KONUŞMAYA BAŞLA"; -"Your Rating" = "Derecelendirmen"; -"No Internet!" = "İnternet yok!"; -"Invalid Entry" = "Geçersiz giriş"; -"Loved it" = "Sevdim"; -"Review on the App Store" = "App Store'da gözden geçir"; -"Open Help" = "Yardımı Aç"; -"Search" = "Ara"; -"Tap here if you found this FAQ helpful" = "Bu SSS yanıtını yararlı bulduysanız buraya dokunun"; -"Star" = "Yıldız"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Yanıtı yararlı bulduysanız buraya dokunun"; -"Report a problem" = "Problem bildir"; -"YES, THANKS!" = "EVET, TEŞEKKÜRLER!"; -"Was this helpful?" = "Bu yardımcı oldu mu?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Mesajın gönderilmedi. \"Yeniden Dene\" düğmesine dokunarak mesajı yeniden göndermek ister misin?"; -"Suggestions" = "Öneriler"; -"No FAQs found" = "SSS bulunamadı"; -"Done" = "Bitti"; -"Opening Gallery..." = "Galerinin açılması..."; -"You rated the service with" = "Bu hizmete verdiğiniz puan:"; -"Cancel" = "İptal"; -"Loading..." = "Yükleniyor..."; -"Read FAQs" = "SSS Oku"; -"Thanks for messaging us!" = "Mesaj gönderdiğin için teşekkürler!"; -"Try Again" = "Yeniden Dene"; -"Send Feedback" = "Geri Bildirim Gönder"; -"Your Name" = "İsim"; -"Please provide a name." = "Lütfen bir isim ver"; -"FAQ" = "SSS"; -"Describe your problem" = "Problemini tanımla"; -"How can we help?" = "Nasıl yardımcı olabiliriz?"; -"Help about" = "Şununla ilgili yardım:"; -"We could not fetch the required data" = "İstenen verileri getiremedik"; -"Name" = "Adı"; -"Sending failed!" = "Gönderme başarısız!"; -"You didn't find this helpful." = "Bunu yararlı bulmadın."; -"Attach a screenshot of your problem" = "Sorununuz ile ilgili bir ekran görüntüsü ekleyin"; -"Mark as read" = "Okundu olarak işaretle"; -"Yes" = "Evet"; -"What's on your mind?" = "Aklında ne var?"; -"Send a new message" = "Yeni bir mesaj gönder"; -"Questions that may already have your answer" = "Aradığın cevabı halihazırda içeren sorular"; -"Attach a photo" = "Bir fotoğraf ekleyin"; -"Accept" = "Kabul et"; -"Your reply" = "Yanıtınız"; -"Inbox" = "Gelen Kutusu"; -"Remove attachment" = "Eki Kaldır"; -"Could not fetch message" = "Mesaj alınamadı"; -"Read FAQ" = "SSS Oku"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Üzgünüz! Konuşma herhangi bir etkinlik olmadığından dolayı kapatıldı. Lütfen temsilcimiz ile yeni bir konuşma başlat."; -"%d new messages from Support" = "Destek bölümünden %d yeni mesaj"; -"Ok, Attach" = "Tamam, Ekle"; -"Send" = "Gönder"; -"Screenshot size should not exceed %.2f MB" = "Ekran görüntüsü boyutu %.2f MB'ı aşmamalı"; -"Information" = "Bilgi"; -"Issue ID" = "Sorun Kimliği"; -"Tap to copy" = "Kopyalamak için dokun"; -"Copied!" = "Kopyalandı!"; -"We couldn't find an FAQ with matching ID" = "Eşleşen kimliğe sahip bir SSS sayfası bulamadık"; -"Failed to load screenshot" = "Ekran görüntüsü yüklenemedi"; -"Failed to load video" = "Video yüklenemedi"; -"Failed to load image" = "Resim yüklenemedi"; -"Hold down your device's power and home buttons at the same time." = "Cihazının uyut/uyandır ve ana ekran düğmelerine aynı anda basılı tut."; -"Please note that a few devices may have the power button on the top." = "Bazı cihazların uyut/uyandır düğmesinin üstte olabileceğini unutma."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "İşlem tamamlandıktan sonra, bu konuşmaya dön ve eklemek için \"Tamam, ekle\"ye dokun."; -"Okay" = "Tamam"; -"We couldn't find an FAQ section with matching ID" = "Eşleşen kimliğe sahip bir SSS bölümü bulamadık"; - -"GIFs are not supported" = "GIF'ler desteklenmiyor"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/uk.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/uk.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 86d1dba9dc5b..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/uk.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "Не можете знайти те, що шукали?"; -"Rate App" = "Оцінити програму"; -"We\'re happy to help you!" = "Ми з радістю допоможемо вам!"; -"Did we answer all your questions?" = "Ви отримали відповіді на всі свої питання?"; -"Remind Later" = "Нагадати пізніше"; -"Your message has been received." = "Ваше повідомлення отримано."; -"Message send failure." = "Не вдалося відправити повідомлення."; -"What\'s your feedback about our customer support?" = "Як ви оцінюєте роботу нашої служби підтримки?"; -"Take a screenshot on your iPhone" = "Зробіть знімок екрана на своєму iPhone"; -"Learn how" = "Дізнатися як"; -"Name invalid" = "Неприйнятне ім'я"; -"Take a screenshot on your iPad" = "Зробіть знімок екрана на своєму iPad"; -"Your email(optional)" = "Ваша адреса e-mail (за бажанням)"; -"Conversation" = "Розмова"; -"View Now" = "Переглянути зараз"; -"SEND ANYWAY" = "ВСЕ ОДНО ВІДПРАВИТИ"; -"OK" = "OK"; -"Help" = "Допомога"; -"Send message" = "Відправити повідомлення"; -"REVIEW" = "ВІДГУК"; -"Share" = "Поділитися"; -"Close Help" = "Закрити довідку"; -"Sending your message..." = "Відправка повідомлення..."; -"Learn how to" = "Дізнатися як"; -"No FAQs found in this section" = "У цьому розділі відповідей на поширені питання (FAQ) не знайдено"; -"Thanks for contacting us." = "Дякуємо, що звернулися до нас."; -"Chat Now" = "Перейти до чату"; -"Buy Now" = "Купити зараз"; -"New Conversation" = "Нова розмова"; -"Please check your network connection and try again." = "Перевірте підключення до мережі і спробуйте ще раз."; -"New message from Support" = "Нове повідомлення служби підтримки"; -"Question" = "Питання"; -"Type in a new message" = "Введіть нове повідомлення"; -"Email (optional)" = "E-mail (за бажанням)"; -"Reply" = "Відповісти"; -"CONTACT US" = "ЗВ'ЯЗАТИСЯ З НАМИ"; -"Email" = "E-mail"; -"Like" = "Подобається"; -"Tap here if this FAQ was not helpful to you" = "Торкніться тут, якщо цей FAQ вам не допоміг"; -"Any other feedback? (optional)" = "Хочете додати відгук (за бажанням)?"; -"You found this helpful." = "Ви вважаєте цю інформацію корисною."; -"No working Internet connection is found." = "Не знайдено діючих підключень до Інтернету."; -"No messages found." = "Повідомлень не знайдено."; -"Please enter a brief description of the issue you are facing." = "Введіть стислий опис проблеми, яка у вас виникла."; -"Shop Now" = "Перейти до магазину"; -"Close Section" = "Закрити розділ"; -"Close FAQ" = "Закрити FAQ"; -"Close" = "Закрити"; -"This conversation has ended." = "Цю розмову завершено."; -"Send it anyway" = "Все одно відправити"; -"You accepted review request." = "Ви прийняли запит відгуку."; -"Delete" = "Видалити"; -"What else can we help you with?" = "Чим ще ми можемо вам допомогти?"; -"Tap here if the answer was not helpful to you" = "Торкніться тут, якщо ця відповідь вам не допомогла"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Прикро таке чути. Може, розповісте трохи детальніше про проблему, яка у вас виникла?"; -"Service Rating" = "Оцінка послуг"; -"Your email" = "Ваша адреса e-mail"; -"Email invalid" = "Адреса e-mail недійсна"; -"Could not fetch FAQs" = "Не вдалося знайти відповіді на поширені питання (FAQ)"; -"Thanks for rating us." = "Дякуємо за оцінку!"; -"Download" = "Завантажити"; -"Please enter a valid email" = "Введіть дійсну адресу e-mail"; -"Message" = "Повідомлення"; -"or" = "або"; -"Decline" = "Відхилити"; -"No" = "Ні"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Не вдалося відправити знімок. Файл є надто великим; виберіть інше зображення і повторіть спробу."; -"Hated it" = "Просто жах"; -"Stars" = "Зірки"; -"Your feedback has been received." = "Ваш відгук отримано."; -"Dislike" = "Не подобається"; -"Preview" = "Попередній перегляд"; -"Book Now" = "Замовити зараз"; -"START A NEW CONVERSATION" = "ПОЧАТИ НОВУ РОЗМОВУ"; -"Your Rating" = "Ваша оцінка"; -"No Internet!" = "Інтернет недоступний!"; -"Invalid Entry" = "Неприпустимий запис"; -"Loved it" = "Чудово"; -"Review on the App Store" = "Відгук в App Store"; -"Open Help" = "Відкрити довідку"; -"Search" = "Пошук"; -"Tap here if you found this FAQ helpful" = "Торкніться тут, якщо цей FAQ здається вам корисним"; -"Star" = "Зірка"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Торкніться тут, якщо ця відповідь здалася вам корисною"; -"Report a problem" = "Повідомити про проблему"; -"YES, THANKS!" = "ТАК, ДЯКУЮ!"; -"Was this helpful?" = "Чи допомогла вам ця інформація?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Повідомлення не відправлено. Натисніть \"Ще раз\", щоб відправити це повідомлення."; -"Suggestions" = "Пропозиції"; -"No FAQs found" = "FAQ не знайдено"; -"Done" = "Готово"; -"Opening Gallery..." = "Відкриваємо альбом..."; -"You rated the service with" = "Ви поставили цій послузі оцінку"; -"Cancel" = "Скасувати"; -"Loading..." = "Завантаження..."; -"Read FAQs" = "Переглянути збірники FAQ"; -"Thanks for messaging us!" = "Дякуємо, що надіслали нам повідомлення!"; -"Try Again" = "Ще раз"; -"Send Feedback" = "Відправити відгук"; -"Your Name" = "Ваше ім'я"; -"Please provide a name." = "Вкажіть ім'я."; -"FAQ" = "FAQ"; -"Describe your problem" = "Опишіть свою проблему"; -"How can we help?" = "Чим ми можемо допомогти?"; -"Help about" = "Довідка за темою"; -"We could not fetch the required data" = "Не вдається знайти потрібні дані"; -"Name" = "Ім'я"; -"Sending failed!" = "Збій відправлення!"; -"You didn't find this helpful." = "Ви не вважаєте цю інформацію корисною."; -"Attach a screenshot of your problem" = "Додайте знімок екрана, що стосується вашої проблеми"; -"Mark as read" = "Позначити як прочитане"; -"Yes" = "Так"; -"What's on your mind?" = "Про що ви думаєте?"; -"Send a new message" = "Надіслати нове повідомлення"; -"Questions that may already have your answer" = "Питання, на які, можливо, вже отримано відповіді"; -"Attach a photo" = "Вкласти знімок"; -"Accept" = "Прийняти"; -"Your reply" = "Ваша відповідь"; -"Inbox" = "Вхідні"; -"Remove attachment" = "Видалити вкладення"; -"Could not fetch message" = "Не вдалося отримати повідомлення"; -"Read FAQ" = "Переглянути FAQ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "На жаль, цю розмову було закрито через неактивність учасників. Почніть, будь ласка, нову розмову з нашими представниками."; -"%d new messages from Support" = "%d нових повідомлень служби підтримки"; -"Ok, Attach" = "Так, вкласти"; -"Send" = "Відправити"; -"Screenshot size should not exceed %.2f MB" = "Розмір знімка екрана не повинен перевищувати %.2f Мб"; -"Information" = "Інформація"; -"Issue ID" = "Ідентифікатор проблеми"; -"Tap to copy" = "Торкніться, щоб скопіювати"; -"Copied!" = "Скопійовано!"; -"We couldn't find an FAQ with matching ID" = "Збірника FAQ з таким ідентифікатором не знайдено"; -"Failed to load screenshot" = "Не вдалося завантажити знімок екрана"; -"Failed to load video" = "Не вдалося завантажити відео"; -"Failed to load image" = "Не вдалося завантажити зображення"; -"Hold down your device's power and home buttons at the same time." = "Одночасно натисніть та утримуйте кнопку увімкнення/вимкнення і кнопку «Додому» свого пристрою."; -"Please note that a few devices may have the power button on the top." = "Зауважте, що на деяких моделях кнопка увімкнення/вимкнення розташована зверху."; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Після цього поверніться до цього діалогового вікна і натисніть «Так, вкласти», щоб вкласти знімок."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Розділ FAQ з таким ідентифікатором не знайдено"; - -"GIFs are not supported" = "GIF-файли не підтримуються"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/vi.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/vi.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 3178b6ab9629..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/vi.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* - HelpshiftLocalizable.strings - Helpshift - Copyright (c) 2014 Helpshift,Inc., All rights reserved. - */ - -"Can't find what you were looking for?" = "Bạn không tìm thấy điều bạn muốn tìm?"; -"Rate App" = "Xếp hạng Ứng dụng"; -"We\'re happy to help you!" = "Chúng tôi sẵn lòng giúp bạn!"; -"Did we answer all your questions?" = "Chúng tôi đã trả lời hết tất cả các câu hỏi của bạn chưa?"; -"Remind Later" = "Nhắc lại Sau"; -"Your message has been received." = "Chúng tôi đã nhận được tin nhắn của bạn."; -"Message send failure." = "Gửi tin nhắn thất bạn."; -"What\'s your feedback about our customer support?" = "Bạn có phản hồi gì về việc hỗ trợ khách hàng của chúng tôi không?"; -"Take a screenshot on your iPhone" = "Chụp ảnh màn hìn trên iPhone"; -"Learn how" = "Tìm hiểu cách thức"; -"Name invalid" = "Tên không hợp lệ"; -"Take a screenshot on your iPad" = "Chụp ảnh màn hìn trên iPad"; -"Your email(optional)" = "Email của bạn (tùy chọn)"; -"Conversation" = "Hội thoại"; -"View Now" = "Xem Ngay"; -"SEND ANYWAY" = "VẪN CỨ GỬI"; -"OK" = "OK"; -"Help" = "Trợ giúp"; -"Send message" = "Gửi tin nhắn"; -"REVIEW" = "ĐÁNH GIÁ"; -"Share" = "Chia sẻ"; -"Close Help" = "Đóng Trợ giúp"; -"Sending your message..." = "Đang gửi tin nhắn..."; -"Learn how to" = "Tìm hiểu cách thức"; -"No FAQs found in this section" = "Không tìm thấy FAQ trong phần này"; -"Thanks for contacting us." = "Cảm ơn bạn đã liên hệ với chúng tôi."; -"Chat Now" = "Trò chuyện Ngay"; -"Buy Now" = "Mua Ngay"; -"New Conversation" = "Cuộc hội thoại mới"; -"Please check your network connection and try again." = "Vui lòng kiểm tra kết nối mạng và thử lại."; -"New message from Support" = "Tin nhắn mới từ Hỗ trợ"; -"Question" = "Câu hỏi"; -"Type in a new message" = "Nhập tin nhắn mới"; -"Email (optional)" = "Email (tùy chọn)"; -"Reply" = "Trả lời"; -"CONTACT US" = "LIÊN HỆ"; -"Email" = "Email"; -"Like" = "Thích"; -"Tap here if this FAQ was not helpful to you" = "Nhấn vào đây nếu FAQ này không hữu ích với bạn"; -"Any other feedback? (optional)" = "Bạn có phản hồi nào khác không? (tùy chọn)"; -"You found this helpful." = "Bạn thấy điều này hữu ích."; -"No working Internet connection is found." = "Không tìm thấy kết nối mạng Internet nào đang hoạt động."; -"No messages found." = "Không tìm thấy tin nhắn."; -"Please enter a brief description of the issue you are facing." = "Vui lòng nhập mô tả ngắn gọn về vấn đề mà bạn đang gặp phải."; -"Shop Now" = "Đến cửa hàng Ngay"; -"Close Section" = "Đóng Phần"; -"Close FAQ" = "Đóng FAQ"; -"Close" = "Đóng"; -"This conversation has ended." = "Cuộc hội thoại này đã chấm dứt."; -"Send it anyway" = "Vẫn cứ gửi"; -"You accepted review request." = "Bạn đã chấp nhận yêu cầu nhận xét."; -"Delete" = "Xóa"; -"What else can we help you with?" = "Chúng tôi còn có thể giúp gì khác cho bạn không?"; -"Tap here if the answer was not helpful to you" = "Nhấn vào đây nếu câu trả lời không hữu ích với bạn"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "Rất tiếc vì điều đó. Bạn có thể vui lòng cho chúng tôi biết thêm một chút về vấn đề mà bạn đang gặp phải không?"; -"Service Rating" = "Xếp hạng dịch vụ"; -"Your email" = "Email của bạn"; -"Email invalid" = "Email không hợp lệ"; -"Could not fetch FAQs" = "Không thể tải câu hỏi thường gặp"; -"Thanks for rating us." = "Cảm ơn bạn đã xếp hạng chúng tôi."; -"Download" = "Tải về"; -"Please enter a valid email" = "Vui lòng nhập email hợp lệ"; -"Message" = "Tin nhắn"; -"or" = "hoặc"; -"Decline" = "Từ chối"; -"No" = "Không"; -"Screenshot could not be sent. Image is too large, try again with another image" = "Không thể gửi ảnh chụp màn hình. Kích thước tệp hình ảnh quá lớn, hãy thử lại với hình ảnh khác"; -"Hated it" = "Không thích"; -"Stars" = "Sao"; -"Your feedback has been received." = "Chúng tôi đã nhận được phản hồi của bạn."; -"Dislike" = "Không thích"; -"Preview" = "Xem trước"; -"Book Now" = "Đặt Ngay"; -"START A NEW CONVERSATION" = "BẮT ĐẦU CUỘC HỘI THOẠI MỚI"; -"Your Rating" = "Xếp hạng của bạn"; -"No Internet!" = "Không có mạng Internet!"; -"Invalid Entry" = "Mục nhập không hợp lệ"; -"Loved it" = "Thích"; -"Review on the App Store" = "Nhận xét trên App Store"; -"Open Help" = "Mở Trợ giúp"; -"Search" = "Tìm kiếm"; -"Tap here if you found this FAQ helpful" = "Nhấn vào đây nếu bạn thấy FAQ này hữu ích"; -"Star" = "Sao"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "Nhấn vào đây nếu bạn thấy câu trả lời hữu ích"; -"Report a problem" = "Báo cáo vấn đề"; -"YES, THANKS!" = "RỒI, XIN CẢM ƠN!"; -"Was this helpful?" = "Điều này có hữu ích không?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "Tin nhắn của bạn chưa được gửi. Nhấn \"Thử lại\" để gửi tin nhắn này?"; -"Suggestions" = "Gợi ý"; -"No FAQs found" = "Không tìm thấy Câu hỏi thường gặp"; -"Done" = "Hoàn thành"; -"Opening Gallery..." = "Đang mở Thư viện..."; -"You rated the service with" = "Bạn đã đánh giá dịch vụ này là"; -"Cancel" = "Hủy"; -"Loading..." = "Đang tải..."; -"Read FAQs" = "Đọc FAQ"; -"Thanks for messaging us!" = "Cảm ơn bạn đã gửi tin nhắn cho chúng tôi!"; -"Try Again" = "Thử Lại"; -"Send Feedback" = "Gửi Phản hồi"; -"Your Name" = "Tên của Bạn"; -"Please provide a name." = "Vui lòng cung cấp tên."; -"FAQ" = "Câu hỏi thường gặp"; -"Describe your problem" = "Mô tả vấn đề của bạn"; -"How can we help?" = "Chúng tôi có thể giúp gì cho bạn?"; -"Help about" = "Trợ giúp về"; -"We could not fetch the required data" = "Chúng tôi không thể tải dữ liệu yêu cầu"; -"Name" = "Tên"; -"Sending failed!" = "Gửi thất bạn!"; -"You didn't find this helpful." = "Bạn thấy điều này không hữu ích."; -"Attach a screenshot of your problem" = "Đính kèm ảnh chụp màn hình vấn đề của bạn"; -"Mark as read" = "Đánh dấu đã đọc"; -"Yes" = "Có"; -"What's on your mind?" = "Bạn đang nghĩ gì?"; -"Send a new message" = "Gửi tin nhắn mới"; -"Questions that may already have your answer" = "Câu hỏi có thể đã có câu trả lời của bạn"; -"Attach a photo" = "Đính kèm ảnh"; -"Accept" = "Chấp nhậ̣n"; -"Your reply" = "Trả lời của bạn"; -"Inbox" = "Hộp thư"; -"Remove attachment" = "Xóa tập tin đính kèm"; -"Could not fetch message" = "Không thể tải tin nhắn"; -"Read FAQ" = "Đọc FAQ"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "Rất tiếc! Tin nhắn này đã bị đóng do không có hoạt động. Vui lòng bắt đầu một tin nhắn mới với các nhân viên của chúng tôi."; -"%d new messages from Support" = "%d tin nhắn mới từ Hỗ trợ"; -"Ok, Attach" = "Ok, đính kèm"; -"Send" = "Gửi"; -"Screenshot size should not exceed %.2f MB" = "Kích thước ảnh chụp màn hình không được lớn hơn %.2f MB"; -"Information" = "Thông tin"; -"Issue ID" = "Cấp ID"; -"Tap to copy" = "Chạm vào để sao chép"; -"Copied!" = "Đã sao chép"; -"We couldn't find an FAQ with matching ID" = "Chúng tôi không thể tìm thấy câu hỏi trong FAQ có ID này"; -"Failed to load screenshot" = "Không thể tải ảnh chụp màn hình"; -"Failed to load video" = "Không thể tải video"; -"Failed to load image" = "Không thể tài hình ảnh"; -"Hold down your device's power and home buttons at the same time." = "Giữ chặt nút nguồn và nút màn hình chính cùng lúc"; -"Please note that a few devices may have the power button on the top." = "Xin hãy lưu ý rằng một số thiết bị có thể đặt nút nguồn ở phía trên"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "Sau khi hoàn thành, quay trở lại cuộc hội thoại này và nhấn vào \"OK, đính kèm\" để đính kèm."; -"Okay" = "OK"; -"We couldn't find an FAQ section with matching ID" = "Chúng tôi không thể tìm thấy mục FAQ bằng ID này"; - -"GIFs are not supported" = "GIF không được hỗ trợ"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans-SG.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans-SG.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 9f22cdecd08a..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans-SG.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "找不到所需的答案吗?"; -"Rate App" = "评价应用"; -"We\'re happy to help you!" = "我们很乐意为您提供帮助!"; -"Did we answer all your questions?" = "我们有没有回答您的所有问题?"; -"Remind Later" = "稍后提醒"; -"Your message has been received." = "我们已收到您的消息。"; -"Message send failure." = "消息发送失败。"; -"What\'s your feedback about our customer support?" = "您对我们的客服有什么看法?"; -"Take a screenshot on your iPhone" = "在iPhone上屏幕截图"; -"Learn how" = "了解使用方法"; -"Take a screenshot on your iPad" = "在iPad上屏幕截图"; -"Your email(optional)" = "您的电子邮件(可选)"; -"Conversation" = "对话"; -"View Now" = "立刻查看"; -"SEND ANYWAY" = "仍然发送"; -"OK" = "确定"; -"Help" = "帮助"; -"Send message" = "发送消息"; -"REVIEW" = "评论"; -"Share" = "分享"; -"Close Help" = "关闭帮助"; -"Sending your message..." = "正在发送消息……"; -"Learn how to" = "了解使用方法"; -"No FAQs found in this section" = "未在本节内找到常见问题解答"; -"Thanks for contacting us." = "感谢您联系我们。"; -"Chat Now" = "立刻开始聊天"; -"Buy Now" = "立刻购买"; -"New Conversation" = "新对话"; -"Please check your network connection and try again." = "请检查网络连接然后重试。"; -"New message from Support" = "客服团队新消息"; -"Question" = "问题"; -"Type in a new message" = "输入一条新消息"; -"Email (optional)" = "电子邮件(可选)"; -"Reply" = "回复"; -"CONTACT US" = "联系我们"; -"Email" = "电子邮件Email"; -"Like" = "赞"; -"Tap here if this FAQ was not helpful to you" = "如果这个FAQ对您没有帮助,请按这里"; -"Any other feedback? (optional)" = "还有其他意见或建议吗?(可选)"; -"You found this helpful." = "有帮助。"; -"No working Internet connection is found." = "未找到可用的互联网连接。"; -"No messages found." = "未找到消息。"; -"Please enter a brief description of the issue you are facing." = "请简要说明您遇到的问题。"; -"Shop Now" = "立刻前往商店"; -"Close Section" = "关闭分区"; -"Close FAQ" = "关闭常见问题解答"; -"Close" = "关闭"; -"This conversation has ended." = "该对话已结束。"; -"Send it anyway" = "仍然发送"; -"You accepted review request." = "您接受了评论申请。"; -"Delete" = "删除"; -"What else can we help you with?" = "我们还能为您做些什么?"; -"Tap here if the answer was not helpful to you" = "如果回答对您没有帮助,请按这里"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "很遗憾。您能向我们提供更多问题说明吗?"; -"Service Rating" = "服务评价"; -"Your email" = "您的电子邮件"; -"Email invalid" = "电子邮件无效"; -"Could not fetch FAQs" = "无法获取常见问题解答"; -"Thanks for rating us." = "感谢您对我们的评价。"; -"Download" = "下载"; -"Please enter a valid email" = "请输入有效的电子邮件"; -"Message" = "消息"; -"or" = "或"; -"Decline" = "拒绝"; -"No" = "否"; -"Screenshot could not be sent. Image is too large, try again with another image" = "屏幕截图未能发送。图像尺寸过大,请使用其他图像重试"; -"Hated it" = "不喜欢"; -"Stars" = "星"; -"Your feedback has been received." = "我们已收到您的反馈信息。"; -"Dislike" = "不喜欢"; -"Preview" = "预览"; -"Book Now" = "立刻订购"; -"START A NEW CONVERSATION" = "开始新对话"; -"Your Rating" = "您的评价"; -"No Internet!" = "无互联网连接!"; -"Invalid Entry" = "无效输入"; -"Loved it" = "喜欢"; -"Review on the App Store" = "去App Store上评论"; -"Open Help" = "打开帮助"; -"Search" = "搜索"; -"Tap here if you found this FAQ helpful" = "如果这个FAQ有帮助,请按这里"; -"Star" = "星"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "如果这个回答有帮助,请按这里"; -"Report a problem" = "报告问题"; -"YES, THANKS!" = "好,谢谢!"; -"Was this helpful?" = "该话题有帮助吗?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "你的消息未发送。请按“重试”再次发送该消息。"; -"Suggestions" = "建议"; -"No FAQs found" = "未找到常见问题解答"; -"Done" = "完成"; -"Opening Gallery..." = "打开相册……"; -"You rated the service with" = "您对服务的评价为"; -"Cancel" = "取消"; -"Loading..." = "正在加载..."; -"Read FAQs" = "查看常见问题解答"; -"Thanks for messaging us!" = "感谢您的消息!"; -"Try Again" = "再试一次"; -"Send Feedback" = "发送反馈"; -"Your Name" = "您的姓名"; -"Please provide a name." = "请输入名称。"; -"FAQ" = "常见问题解答"; -"Describe your problem" = "说明您遇到的问题"; -"How can we help?" = "我们能为您做些什么?"; -"Help about" = "帮助主题:"; -"We could not fetch the required data" = "我们无法获取所需数据"; -"Name" = "名称"; -"Sending failed!" = "发送失败!"; -"You didn't find this helpful." = "你认为这没有帮助。"; -"Attach a screenshot of your problem" = "添加问题截图"; -"Mark as read" = "标记为已读"; -"Name invalid" = "名称无效"; -"Yes" = "是"; -"What's on your mind?" = "您在想什么?"; -"Send a new message" = "发送新消息"; -"Questions that may already have your answer" = "已经有了答案的问题"; -"Attach a photo" = "添加照片"; -"Accept" = "接受"; -"Your reply" = "您的回复"; -"Inbox" = "收件箱"; -"Remove attachment" = "移除附件"; -"Could not fetch message" = "无法获取消息"; -"Read FAQ" = "查看常见问题解答"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "抱歉!该对话因为不活跃而关闭。请与我们的代理开始新对话。"; -"%d new messages from Support" = "%d条客服团队新消息"; -"Ok, Attach" = "好,添加"; -"Send" = "发送"; -"Screenshot size should not exceed %.2f MB" = "屏幕截图不应超过%.2fMB"; -"Information" = "信息"; -"Issue ID" = "问题 ID"; -"Tap to copy" = "点击以复制"; -"Copied!" = "已复制!"; -"We couldn't find an FAQ with matching ID" = "我们未能找到与ID匹配的常见问题解答"; -"Failed to load screenshot" = "屏幕快照加载失败"; -"Failed to load video" = "视频加载失败"; -"Failed to load image" = "图像加载失败"; -"Hold down your device's power and home buttons at the same time." = "請同時按住裝置上的睡眠/喚醒按鈕和主畫面按鈕。"; -"Please note that a few devices may have the power button on the top." = "請注意,部分裝置的睡眠/喚醒按鈕位置於裝置的上方。"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "完成後,再次回到此對話,並按下「好的,附加」以附加。"; -"Okay" = "完成"; -"We couldn't find an FAQ section with matching ID" = "我们未能找到与ID匹配的常见问题解答章节"; - -"GIFs are not supported" = "不支持GIF"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index ff662329d39b..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hans.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "找不到所需的答案吗?"; -"Rate App" = "评价应用"; -"We\'re happy to help you!" = "我们很乐意为您提供帮助!"; -"Did we answer all your questions?" = "我们有没有回答您的所有问题?"; -"Remind Later" = "稍后提醒"; -"Your message has been received." = "我们已收到您的消息。"; -"Message send failure." = "消息发送失败。"; -"What\'s your feedback about our customer support?" = "您对我们的客服有什么看法?"; -"Take a screenshot on your iPhone" = "在iPhone上屏幕截图"; -"Learn how" = "了解使用方法"; -"Take a screenshot on your iPad" = "在iPad上屏幕截图"; -"Your email(optional)" = "您的电子邮件(可选)"; -"Conversation" = "对话"; -"View Now" = "立刻查看"; -"SEND ANYWAY" = "仍然发送"; -"OK" = "确定"; -"Help" = "帮助"; -"Send message" = "发送消息"; -"REVIEW" = "评论"; -"Share" = "分享"; -"Close Help" = "关闭帮助"; -"Sending your message..." = "正在发送消息……"; -"Learn how to" = "了解使用方法"; -"No FAQs found in this section" = "未在本节内找到常见问题解答"; -"Thanks for contacting us." = "感谢您联系我们。"; -"Chat Now" = "立刻开始聊天"; -"Buy Now" = "立刻购买"; -"New Conversation" = "新对话"; -"Please check your network connection and try again." = "请检查网络连接然后重试。"; -"New message from Support" = "客服团队新消息"; -"Question" = "问题"; -"Type in a new message" = "输入一条新消息"; -"Email (optional)" = "电子邮件(可选)"; -"Reply" = "回复"; -"CONTACT US" = "联系我们"; -"Email" = "电子邮件Email"; -"Like" = "赞"; -"Tap here if this FAQ was not helpful to you" = "如果这个FAQ对您没有帮助,请按这里"; -"Any other feedback? (optional)" = "还有其他意见或建议吗?(可选)"; -"You found this helpful." = "有帮助。"; -"No working Internet connection is found." = "未找到可用的互联网连接。"; -"No messages found." = "未找到消息。"; -"Please enter a brief description of the issue you are facing." = "请简要说明您遇到的问题。"; -"Shop Now" = "立刻前往商店"; -"Close Section" = "关闭分区"; -"Close FAQ" = "关闭常见问题解答"; -"Close" = "关闭"; -"This conversation has ended." = "该对话已结束。"; -"Send it anyway" = "仍然发送"; -"You accepted review request." = "您接受了评论申请。"; -"Delete" = "删除"; -"What else can we help you with?" = "我们还能为您做些什么?"; -"Tap here if the answer was not helpful to you" = "如果回答对您没有帮助,请按这里"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "很遗憾。您能向我们提供更多问题说明吗?"; -"Service Rating" = "服务评价"; -"Your email" = "您的电子邮件"; -"Email invalid" = "电子邮件无效"; -"Could not fetch FAQs" = "无法获取常见问题解答"; -"Thanks for rating us." = "感谢您对我们的评价。"; -"Download" = "下载"; -"Please enter a valid email" = "请输入有效的电子邮件"; -"Message" = "消息"; -"or" = "或"; -"Decline" = "拒绝"; -"No" = "否"; -"Screenshot could not be sent. Image is too large, try again with another image" = "屏幕截图未能发送。图像尺寸过大,请使用其他图像重试"; -"Hated it" = "不喜欢"; -"Stars" = "星"; -"Your feedback has been received." = "我们已收到您的反馈信息。"; -"Dislike" = "不喜欢"; -"Preview" = "预览"; -"Book Now" = "立刻订购"; -"START A NEW CONVERSATION" = "开始新对话"; -"Your Rating" = "您的评价"; -"No Internet!" = "无互联网连接!"; -"Invalid Entry" = "无效输入"; -"Loved it" = "喜欢"; -"Review on the App Store" = "去App Store上评论"; -"Open Help" = "打开帮助"; -"Search" = "搜索"; -"Tap here if you found this FAQ helpful" = "如果这个FAQ有帮助,请按这里"; -"Star" = "星"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "如果这个回答有帮助,请按这里"; -"Report a problem" = "报告问题"; -"YES, THANKS!" = "好,谢谢!"; -"Was this helpful?" = "该话题有帮助吗?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "你的消息未发送。请按“重试”再次发送该消息。"; -"Suggestions" = "建议"; -"No FAQs found" = "未找到常见问题解答"; -"Done" = "完成"; -"Opening Gallery..." = "打开相册……"; -"You rated the service with" = "您对服务的评价为"; -"Cancel" = "取消"; -"Loading..." = "正在加载..."; -"Read FAQs" = "查看常见问题解答"; -"Thanks for messaging us!" = "感谢您的消息!"; -"Try Again" = "再试一次"; -"Send Feedback" = "发送反馈"; -"Your Name" = "您的姓名"; -"Please provide a name." = "请输入名称。"; -"FAQ" = "常见问题解答"; -"Describe your problem" = "说明您遇到的问题"; -"How can we help?" = "我们能为您做些什么?"; -"Help about" = "帮助主题:"; -"We could not fetch the required data" = "我们无法获取所需数据"; -"Name" = "名称"; -"Sending failed!" = "发送失败!"; -"You didn't find this helpful." = "你认为这没有帮助。"; -"Attach a screenshot of your problem" = "添加问题截图"; -"Mark as read" = "标记为已读"; -"Name invalid" = "名称无效"; -"Yes" = "是"; -"What's on your mind?" = "您在想什么?"; -"Send a new message" = "发送新消息"; -"Questions that may already have your answer" = "已经有了答案的问题"; -"Attach a photo" = "添加照片"; -"Accept" = "接受"; -"Your reply" = "您的回复"; -"Inbox" = "收件箱"; -"Remove attachment" = "移除附件"; -"Could not fetch message" = "无法获取消息"; -"Read FAQ" = "查看常见问题解答"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "抱歉!该对话因为不活跃而关闭。请与我们的代理开始新对话。"; -"%d new messages from Support" = "%d条客服团队新消息"; -"Ok, Attach" = "好,添加"; -"Send" = "发送"; -"Screenshot size should not exceed %.2f MB" = "屏幕截图不应超过%.2fMB"; -"Information" = "信息"; -"Issue ID" = "问题 ID"; -"Tap to copy" = "点击以复制"; -"Copied!" = "已复制!"; -"We couldn't find an FAQ with matching ID" = "我们未能找到与ID匹配的常见问题解答"; -"Failed to load screenshot" = "屏幕快照加载失败"; -"Failed to load video" = "视频加载失败"; -"Failed to load image" = "图像加载失败"; -"Hold down your device's power and home buttons at the same time." = "請同時按住裝置上的睡眠/喚醒按鈕和主畫面按鈕。"; -"Please note that a few devices may have the power button on the top." = "請注意,部分裝置的睡眠/喚醒按鈕位置於裝置的上方。"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "完成後,再次回到此對話,並按下「好的,附加」以附加。"; -"Okay" = "完成"; -"We couldn't find an FAQ section with matching ID" = "我们未能找到与ID匹配的常见问题解答章节"; - -"GIFs are not supported" = "不支持GIF"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant-HK.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant-HK.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 875665c218d5..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant-HK.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "找不到您需要的資訊嗎?"; -"Rate App" = "評分 App"; -"We\'re happy to help you!" = "我們很樂意協助您!"; -"Did we answer all your questions?" = "我們是否已回答您全部問題?"; -"Remind Later" = "稍後提醒"; -"Your message has been received." = "您的訊息已收悉。"; -"Message send failure." = "訊息傳送失敗"; -"What\'s your feedback about our customer support?" = "您對我們的客戶支援團隊有何意見嗎?"; -"Take a screenshot on your iPhone" = "在 iPhone 上擷取螢幕快照"; -"Learn how" = "了解方法"; -"Take a screenshot on your iPad" = "在 iPad 上擷取螢幕快照"; -"Your email(optional)" = "您的電子郵件(選填)"; -"Conversation" = "對話"; -"View Now" = "立刻檢視"; -"SEND ANYWAY" = "直接傳送"; -"OK" = "好"; -"Help" = "說明"; -"Send message" = "傳送訊息"; -"REVIEW" = "評論"; -"Share" = "分享"; -"Close Help" = "關閉說明"; -"Sending your message..." = "正在傳送您的訊息..."; -"Learn how to" = "了解方法"; -"No FAQs found in this section" = "此章節中沒有常見問題集"; -"Thanks for contacting us." = "感謝您與我們聯絡。"; -"Chat Now" = "立刻聊天"; -"Buy Now" = "立刻買"; -"New Conversation" = "新對話"; -"Please check your network connection and try again." = "請檢查您的網際網路連線,然後再試一次。"; -"New message from Support" = "支援團隊送來新訊息"; -"Question" = "問題"; -"Type in a new message" = "輸入新訊息"; -"Email (optional)" = "電子郵件(選填)"; -"Reply" = "回覆"; -"CONTACT US" = "聯絡我們"; -"Email" = "電子郵件"; -"Like" = "讚"; -"Tap here if this FAQ was not helpful to you" = "若此常見問題對您沒有幫助,請點擊此處"; -"Read FAQ" = "閱讀常見問題"; -"Any other feedback? (optional)" = "有其他意見嗎?(選填)"; -"You found this helpful." = "您覺得這很有幫助。"; -"No working Internet connection is found." = "找不到可用的網際網路連線。"; -"No messages found." = "找不到訊息"; -"Please enter a brief description of the issue you are facing." = "請輸入您所遭遇問題的簡略描述。"; -"Shop Now" = "立刻購買"; -"Close Section" = "關閉此章節"; -"Close FAQ" = "關閉常見問題"; -"Close" = "關閉"; -"This conversation has ended." = "此對話已結束。"; -"Send it anyway" = "直接傳送"; -"You accepted review request." = "您已接受評論請求。"; -"Delete" = "刪除"; -"What else can we help you with?" = "還有其他需要我們幫助之處嗎?"; -"Tap here if the answer was not helpful to you" = "若答案對您沒有幫助,請點擊此處"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "很遺憾。能否請您向我們更詳細你遭遇的問題?"; -"Service Rating" = "服務評價"; -"Your email" = "您的電子郵件"; -"Email invalid" = "無效的電子郵件"; -"Could not fetch FAQs" = "無法取得常見問題集"; -"Thanks for rating us." = "感謝您對我們的評價。"; -"Download" = "下載"; -"Please enter a valid email" = "請輸入有效的電子郵件"; -"Message" = "訊息"; -"or" = "或"; -"Decline" = "拒絕"; -"No" = "否"; -"Screenshot could not be sent. Image is too large, try again with another image" = "無法傳送螢幕快照。影像太大,請用其他影像再試一次"; -"Hated it" = "不喜歡"; -"Stars" = "星星"; -"Your feedback has been received." = "您的意見已收悉。"; -"Dislike" = "噓"; -"Preview" = "預覽"; -"Book Now" = "立刻預訂"; -"START A NEW CONVERSATION" = "開始新對話"; -"Your Rating" = "您的評價"; -"No Internet!" = "沒有網路!"; -"Invalid Entry" = "無效的內容"; -"Loved it" = "很喜歡"; -"Review on the App Store" = "在 App Store 上評論"; -"Open Help" = "打開說明"; -"Search" = "搜尋"; -"Tap here if you found this FAQ helpful" = "若您認為此常見問題有幫助,請點擊此處"; -"Star" = "星星"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "若您認為答案有幫助,請點擊此處"; -"Report a problem" = "回報問題"; -"YES, THANKS!" = "是的,謝謝!"; -"Was this helpful?" = "這是否有幫助?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "您的訊息未送出。要點擊「再試一次」來傳送此訊息嗎?"; -"Suggestions" = "建議事項"; -"No FAQs found" = "找不到常見問題集"; -"Done" = "完成"; -"Opening Gallery..." = "打開相簿..."; -"You rated the service with" = "您已為此服務評分:"; -"Cancel" = "取消"; -"Loading..." = "載入中..."; -"Read FAQs" = "閱讀常見問題集"; -"Thanks for messaging us!" = "感謝您給我們訊息!"; -"Try Again" = "再試一次"; -"Send Feedback" = "傳送意見反饋"; -"Your Name" = "您的姓名"; -"Please provide a name." = "請提供名稱。"; -"FAQ" = "常見問題集"; -"Describe your problem" = "請描述您的問題"; -"How can we help?" = "我們能如何為您效勞?"; -"Help about" = "說明主題"; -"We could not fetch the required data" = "我們無法取得所需的資料"; -"Name" = "名稱"; -"Sending failed!" = "傳送失敗!"; -"You didn't find this helpful." = "您覺得這沒有幫助。"; -"Attach a screenshot of your problem" = "附加您的問題螢幕快照"; -"Mark as read" = "標記為已讀"; -"Name invalid" = "無效的名稱"; -"Yes" = "有"; -"What's on your mind?" = "您有什麼想法嗎?"; -"Send a new message" = "傳送新訊息"; -"Questions that may already have your answer" = "您的問題可能已經有答案"; -"Attach a photo" = "附加照片"; -"Accept" = "接受"; -"Your reply" = "您的回覆"; -"Inbox" = "收件匣"; -"Remove attachment" = "移除附件"; -"Could not fetch message" = "無法取得訊息"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "很抱歉,本對話因沒有活動,現已關閉。請開始新對話來和我們的服務人員聯繫。"; -"%d new messages from Support" = "支援團隊送來 %d 則新訊息"; -"Ok, Attach" = "好的,附加"; -"Send" = "傳送"; -"Screenshot size should not exceed %.2f MB" = "螢幕快照大小不得超過 %.2f MB"; -"Information" = "資訊"; -"Issue ID" = "問題 ID"; -"Tap to copy" = "點擊以複製"; -"Copied!" = "已複製!"; -"We couldn't find an FAQ with matching ID" = "我們無法找到具有匹配 ID 的常見問題"; -"Failed to load screenshot" = "載入螢幕快照失敗"; -"Failed to load video" = "載入影片失敗"; -"Failed to load image" = "載入圖像失敗"; -"Hold down your device's power and home buttons at the same time." = "同时按住设备的睡眠/唤醒按钮与主屏幕按钮。"; -"Please note that a few devices may have the power button on the top." = "注意:某些设备的睡眠/唤醒按钮可能在顶部。"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "完成后,请返回此对话,并轻点“好,添加”来添加附件。"; -"Okay" = "确定"; -"We couldn't find an FAQ section with matching ID" = "我們無法找到具有匹配 ID 的常見問題章節"; - -"GIFs are not supported" = "不支持GIF"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 0e85dde5e693..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hant.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "找不到您需要的資訊嗎?"; -"Rate App" = "評分 App"; -"We\'re happy to help you!" = "我們很樂意協助您!"; -"Did we answer all your questions?" = "我們是否已回答您全部問題?"; -"Remind Later" = "稍後提醒"; -"Your message has been received." = "您的訊息已收悉。"; -"Message send failure." = "訊息傳送失敗"; -"What\'s your feedback about our customer support?" = "您對我們的客戶支援團隊有何意見嗎?"; -"Take a screenshot on your iPhone" = "在 iPhone 上擷取螢幕快照"; -"Learn how" = "了解方法"; -"Take a screenshot on your iPad" = "在 iPad 上擷取螢幕快照"; -"Your email(optional)" = "您的電子郵件(選填)"; -"Conversation" = "對話"; -"View Now" = "立刻檢視"; -"SEND ANYWAY" = "直接傳送"; -"OK" = "好"; -"Help" = "說明"; -"Send message" = "傳送訊息"; -"REVIEW" = "評論"; -"Share" = "分享"; -"Close Help" = "關閉說明"; -"Sending your message..." = "正在傳送您的訊息..."; -"Learn how to" = "了解方法"; -"No FAQs found in this section" = "此章節中沒有常見問題集"; -"Thanks for contacting us." = "感謝您與我們聯絡。"; -"Chat Now" = "立刻聊天"; -"Buy Now" = "立刻買"; -"New Conversation" = "新對話"; -"Please check your network connection and try again." = "請檢查您的網際網路連線,然後再試一次。"; -"New message from Support" = "支援團隊送來新訊息"; -"Question" = "問題"; -"Type in a new message" = "輸入新訊息"; -"Email (optional)" = "電子郵件(選填)"; -"Reply" = "回覆"; -"CONTACT US" = "聯絡我們"; -"Email" = "電子郵件"; -"Like" = "讚"; -"Tap here if this FAQ was not helpful to you" = "若此常見問題對您沒有幫助,請點擊此處"; -"Any other feedback? (optional)" = "有其他意見嗎?(選填)"; -"You found this helpful." = "您覺得這很有幫助。"; -"No working Internet connection is found." = "找不到可用的網際網路連線。"; -"No messages found." = "找不到訊息"; -"Please enter a brief description of the issue you are facing." = "請輸入您所遭遇問題的簡略描述。"; -"Shop Now" = "立刻購買"; -"Close Section" = "關閉此章節"; -"Close FAQ" = "關閉常見問題"; -"Close" = "關閉"; -"This conversation has ended." = "此對話已結束。"; -"Send it anyway" = "直接傳送"; -"You accepted review request." = "您已接受評論請求。"; -"Delete" = "刪除"; -"What else can we help you with?" = "還有其他需要我們幫助之處嗎?"; -"Tap here if the answer was not helpful to you" = "若答案對您沒有幫助,請點擊此處"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "很遺憾。能否請您向我們更詳細你遭遇的問題?"; -"Service Rating" = "服務評價"; -"Your email" = "您的電子郵件"; -"Email invalid" = "無效的電子郵件"; -"Could not fetch FAQs" = "無法取得常見問題集"; -"Thanks for rating us." = "感謝您對我們的評價。"; -"Download" = "下載"; -"Please enter a valid email" = "請輸入有效的電子郵件"; -"Message" = "訊息"; -"or" = "或"; -"Decline" = "拒絕"; -"No" = "否"; -"Screenshot could not be sent. Image is too large, try again with another image" = "無法傳送螢幕快照。影像太大,請用其他影像再試一次"; -"Hated it" = "不喜歡"; -"Stars" = "星星"; -"Your feedback has been received." = "您的意見已收悉。"; -"Dislike" = "噓"; -"Preview" = "預覽"; -"Book Now" = "立刻預訂"; -"START A NEW CONVERSATION" = "開始新對話"; -"Your Rating" = "您的評價"; -"No Internet!" = "沒有網路!"; -"Invalid Entry" = "無效的內容"; -"Loved it" = "很喜歡"; -"Review on the App Store" = "在 App Store 上評論"; -"Open Help" = "打開說明"; -"Search" = "搜尋"; -"Tap here if you found this FAQ helpful" = "若您認為此常見問題有幫助,請點擊此處"; -"Star" = "星星"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "若您認為答案有幫助,請點擊此處"; -"Report a problem" = "回報問題"; -"YES, THANKS!" = "是的,謝謝!"; -"Was this helpful?" = "這是否有幫助?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "您的訊息未送出。要點擊「再試一次」來傳送此訊息嗎?"; -"Suggestions" = "建議事項"; -"No FAQs found" = "找不到常見問題集"; -"Done" = "完成"; -"Opening Gallery..." = "打開相簿..."; -"You rated the service with" = "您已為此服務評分:"; -"Cancel" = "取消"; -"Loading..." = "載入中..."; -"Read FAQs" = "閱讀常見問題集"; -"Thanks for messaging us!" = "感謝您給我們訊息!"; -"Try Again" = "再試一次"; -"Send Feedback" = "傳送意見反饋"; -"Your Name" = "您的姓名"; -"Please provide a name." = "請提供名稱。"; -"FAQ" = "常見問題集"; -"Describe your problem" = "請描述您的問題"; -"How can we help?" = "我們能如何為您效勞?"; -"Help about" = "說明主題"; -"We could not fetch the required data" = "我們無法取得所需的資料"; -"Name" = "名稱"; -"Sending failed!" = "傳送失敗!"; -"You didn't find this helpful." = "您覺得這沒有幫助。"; -"Attach a screenshot of your problem" = "附加您的問題螢幕快照"; -"Mark as read" = "標記為已讀"; -"Name invalid" = "無效的名稱"; -"Yes" = "有"; -"What's on your mind?" = "您有什麼想法嗎?"; -"Send a new message" = "傳送新訊息"; -"Questions that may already have your answer" = "您的問題可能已經有答案"; -"Attach a photo" = "附加照片"; -"Accept" = "接受"; -"Your reply" = "您的回覆"; -"Inbox" = "收件匣"; -"Remove attachment" = "移除附件"; -"Could not fetch message" = "無法取得訊息"; -"Read FAQ" = "閱讀常見問題"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "很抱歉,本對話因沒有活動,現已關閉。請開始新對話來和我們的服務人員聯繫。"; -"%d new messages from Support" = "支援團隊送來 %d 則新訊息"; -"Ok, Attach" = "好的,附加"; -"Send" = "傳送"; -"Screenshot size should not exceed %.2f MB" = "螢幕快照大小不得超過 %.2f MB"; -"Information" = "資訊"; -"Issue ID" = "問題 ID"; -"Tap to copy" = "點擊以複製"; -"Copied!" = "已複製!"; -"We couldn't find an FAQ with matching ID" = "我們無法找到具有匹配 ID 的常見問題"; -"Failed to load screenshot" = "載入螢幕快照失敗"; -"Failed to load video" = "載入影片失敗"; -"Failed to load image" = "載入圖像失敗"; -"Hold down your device's power and home buttons at the same time." = "同时按住设备的睡眠/唤醒按钮与主屏幕按钮。"; -"Please note that a few devices may have the power button on the top." = "注意:某些设备的睡眠/唤醒按钮可能在顶部。"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "完成后,请返回此对话,并轻点“好,添加”来添加附件。"; -"Okay" = "确定"; -"We couldn't find an FAQ section with matching ID" = "我們無法找到具有匹配 ID 的常見問題章節"; - -"GIFs are not supported" = "不支持GIF"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hk.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hk.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 875665c218d5..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Hk.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "找不到您需要的資訊嗎?"; -"Rate App" = "評分 App"; -"We\'re happy to help you!" = "我們很樂意協助您!"; -"Did we answer all your questions?" = "我們是否已回答您全部問題?"; -"Remind Later" = "稍後提醒"; -"Your message has been received." = "您的訊息已收悉。"; -"Message send failure." = "訊息傳送失敗"; -"What\'s your feedback about our customer support?" = "您對我們的客戶支援團隊有何意見嗎?"; -"Take a screenshot on your iPhone" = "在 iPhone 上擷取螢幕快照"; -"Learn how" = "了解方法"; -"Take a screenshot on your iPad" = "在 iPad 上擷取螢幕快照"; -"Your email(optional)" = "您的電子郵件(選填)"; -"Conversation" = "對話"; -"View Now" = "立刻檢視"; -"SEND ANYWAY" = "直接傳送"; -"OK" = "好"; -"Help" = "說明"; -"Send message" = "傳送訊息"; -"REVIEW" = "評論"; -"Share" = "分享"; -"Close Help" = "關閉說明"; -"Sending your message..." = "正在傳送您的訊息..."; -"Learn how to" = "了解方法"; -"No FAQs found in this section" = "此章節中沒有常見問題集"; -"Thanks for contacting us." = "感謝您與我們聯絡。"; -"Chat Now" = "立刻聊天"; -"Buy Now" = "立刻買"; -"New Conversation" = "新對話"; -"Please check your network connection and try again." = "請檢查您的網際網路連線,然後再試一次。"; -"New message from Support" = "支援團隊送來新訊息"; -"Question" = "問題"; -"Type in a new message" = "輸入新訊息"; -"Email (optional)" = "電子郵件(選填)"; -"Reply" = "回覆"; -"CONTACT US" = "聯絡我們"; -"Email" = "電子郵件"; -"Like" = "讚"; -"Tap here if this FAQ was not helpful to you" = "若此常見問題對您沒有幫助,請點擊此處"; -"Read FAQ" = "閱讀常見問題"; -"Any other feedback? (optional)" = "有其他意見嗎?(選填)"; -"You found this helpful." = "您覺得這很有幫助。"; -"No working Internet connection is found." = "找不到可用的網際網路連線。"; -"No messages found." = "找不到訊息"; -"Please enter a brief description of the issue you are facing." = "請輸入您所遭遇問題的簡略描述。"; -"Shop Now" = "立刻購買"; -"Close Section" = "關閉此章節"; -"Close FAQ" = "關閉常見問題"; -"Close" = "關閉"; -"This conversation has ended." = "此對話已結束。"; -"Send it anyway" = "直接傳送"; -"You accepted review request." = "您已接受評論請求。"; -"Delete" = "刪除"; -"What else can we help you with?" = "還有其他需要我們幫助之處嗎?"; -"Tap here if the answer was not helpful to you" = "若答案對您沒有幫助,請點擊此處"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "很遺憾。能否請您向我們更詳細你遭遇的問題?"; -"Service Rating" = "服務評價"; -"Your email" = "您的電子郵件"; -"Email invalid" = "無效的電子郵件"; -"Could not fetch FAQs" = "無法取得常見問題集"; -"Thanks for rating us." = "感謝您對我們的評價。"; -"Download" = "下載"; -"Please enter a valid email" = "請輸入有效的電子郵件"; -"Message" = "訊息"; -"or" = "或"; -"Decline" = "拒絕"; -"No" = "否"; -"Screenshot could not be sent. Image is too large, try again with another image" = "無法傳送螢幕快照。影像太大,請用其他影像再試一次"; -"Hated it" = "不喜歡"; -"Stars" = "星星"; -"Your feedback has been received." = "您的意見已收悉。"; -"Dislike" = "噓"; -"Preview" = "預覽"; -"Book Now" = "立刻預訂"; -"START A NEW CONVERSATION" = "開始新對話"; -"Your Rating" = "您的評價"; -"No Internet!" = "沒有網路!"; -"Invalid Entry" = "無效的內容"; -"Loved it" = "很喜歡"; -"Review on the App Store" = "在 App Store 上評論"; -"Open Help" = "打開說明"; -"Search" = "搜尋"; -"Tap here if you found this FAQ helpful" = "若您認為此常見問題有幫助,請點擊此處"; -"Star" = "星星"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "若您認為答案有幫助,請點擊此處"; -"Report a problem" = "回報問題"; -"YES, THANKS!" = "是的,謝謝!"; -"Was this helpful?" = "這是否有幫助?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "您的訊息未送出。要點擊「再試一次」來傳送此訊息嗎?"; -"Suggestions" = "建議事項"; -"No FAQs found" = "找不到常見問題集"; -"Done" = "完成"; -"Opening Gallery..." = "打開相簿..."; -"You rated the service with" = "您已為此服務評分:"; -"Cancel" = "取消"; -"Loading..." = "載入中..."; -"Read FAQs" = "閱讀常見問題集"; -"Thanks for messaging us!" = "感謝您給我們訊息!"; -"Try Again" = "再試一次"; -"Send Feedback" = "傳送意見反饋"; -"Your Name" = "您的姓名"; -"Please provide a name." = "請提供名稱。"; -"FAQ" = "常見問題集"; -"Describe your problem" = "請描述您的問題"; -"How can we help?" = "我們能如何為您效勞?"; -"Help about" = "說明主題"; -"We could not fetch the required data" = "我們無法取得所需的資料"; -"Name" = "名稱"; -"Sending failed!" = "傳送失敗!"; -"You didn't find this helpful." = "您覺得這沒有幫助。"; -"Attach a screenshot of your problem" = "附加您的問題螢幕快照"; -"Mark as read" = "標記為已讀"; -"Name invalid" = "無效的名稱"; -"Yes" = "有"; -"What's on your mind?" = "您有什麼想法嗎?"; -"Send a new message" = "傳送新訊息"; -"Questions that may already have your answer" = "您的問題可能已經有答案"; -"Attach a photo" = "附加照片"; -"Accept" = "接受"; -"Your reply" = "您的回覆"; -"Inbox" = "收件匣"; -"Remove attachment" = "移除附件"; -"Could not fetch message" = "無法取得訊息"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "很抱歉,本對話因沒有活動,現已關閉。請開始新對話來和我們的服務人員聯繫。"; -"%d new messages from Support" = "支援團隊送來 %d 則新訊息"; -"Ok, Attach" = "好的,附加"; -"Send" = "傳送"; -"Screenshot size should not exceed %.2f MB" = "螢幕快照大小不得超過 %.2f MB"; -"Information" = "資訊"; -"Issue ID" = "問題 ID"; -"Tap to copy" = "點擊以複製"; -"Copied!" = "已複製!"; -"We couldn't find an FAQ with matching ID" = "我們無法找到具有匹配 ID 的常見問題"; -"Failed to load screenshot" = "載入螢幕快照失敗"; -"Failed to load video" = "載入影片失敗"; -"Failed to load image" = "載入圖像失敗"; -"Hold down your device's power and home buttons at the same time." = "同时按住设备的睡眠/唤醒按钮与主屏幕按钮。"; -"Please note that a few devices may have the power button on the top." = "注意:某些设备的睡眠/唤醒按钮可能在顶部。"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "完成后,请返回此对话,并轻点“好,添加”来添加附件。"; -"Okay" = "确定"; -"We couldn't find an FAQ section with matching ID" = "我們無法找到具有匹配 ID 的常見問題章節"; - -"GIFs are not supported" = "不支持GIF"; diff --git a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Sg.lproj/HelpshiftLocalizable.strings b/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Sg.lproj/HelpshiftLocalizable.strings deleted file mode 100644 index 9f22cdecd08a..000000000000 --- a/WordPress/Vendor/Helpshift/HelpshiftDefaultLocalizations/zh-Sg.lproj/HelpshiftLocalizable.strings +++ /dev/null @@ -1,149 +0,0 @@ -/* -HelpshiftLocalizable.strings -Helpshift -Copyright (c) 2014 Helpshift,Inc., All rights reserved. -*/ - -"Can't find what you were looking for?" = "找不到所需的答案吗?"; -"Rate App" = "评价应用"; -"We\'re happy to help you!" = "我们很乐意为您提供帮助!"; -"Did we answer all your questions?" = "我们有没有回答您的所有问题?"; -"Remind Later" = "稍后提醒"; -"Your message has been received." = "我们已收到您的消息。"; -"Message send failure." = "消息发送失败。"; -"What\'s your feedback about our customer support?" = "您对我们的客服有什么看法?"; -"Take a screenshot on your iPhone" = "在iPhone上屏幕截图"; -"Learn how" = "了解使用方法"; -"Take a screenshot on your iPad" = "在iPad上屏幕截图"; -"Your email(optional)" = "您的电子邮件(可选)"; -"Conversation" = "对话"; -"View Now" = "立刻查看"; -"SEND ANYWAY" = "仍然发送"; -"OK" = "确定"; -"Help" = "帮助"; -"Send message" = "发送消息"; -"REVIEW" = "评论"; -"Share" = "分享"; -"Close Help" = "关闭帮助"; -"Sending your message..." = "正在发送消息……"; -"Learn how to" = "了解使用方法"; -"No FAQs found in this section" = "未在本节内找到常见问题解答"; -"Thanks for contacting us." = "感谢您联系我们。"; -"Chat Now" = "立刻开始聊天"; -"Buy Now" = "立刻购买"; -"New Conversation" = "新对话"; -"Please check your network connection and try again." = "请检查网络连接然后重试。"; -"New message from Support" = "客服团队新消息"; -"Question" = "问题"; -"Type in a new message" = "输入一条新消息"; -"Email (optional)" = "电子邮件(可选)"; -"Reply" = "回复"; -"CONTACT US" = "联系我们"; -"Email" = "电子邮件Email"; -"Like" = "赞"; -"Tap here if this FAQ was not helpful to you" = "如果这个FAQ对您没有帮助,请按这里"; -"Any other feedback? (optional)" = "还有其他意见或建议吗?(可选)"; -"You found this helpful." = "有帮助。"; -"No working Internet connection is found." = "未找到可用的互联网连接。"; -"No messages found." = "未找到消息。"; -"Please enter a brief description of the issue you are facing." = "请简要说明您遇到的问题。"; -"Shop Now" = "立刻前往商店"; -"Close Section" = "关闭分区"; -"Close FAQ" = "关闭常见问题解答"; -"Close" = "关闭"; -"This conversation has ended." = "该对话已结束。"; -"Send it anyway" = "仍然发送"; -"You accepted review request." = "您接受了评论申请。"; -"Delete" = "删除"; -"What else can we help you with?" = "我们还能为您做些什么?"; -"Tap here if the answer was not helpful to you" = "如果回答对您没有帮助,请按这里"; -"Sorry to hear that. Could you please tell us a little bit more about the problem you are facing?" = "很遗憾。您能向我们提供更多问题说明吗?"; -"Service Rating" = "服务评价"; -"Your email" = "您的电子邮件"; -"Email invalid" = "电子邮件无效"; -"Could not fetch FAQs" = "无法获取常见问题解答"; -"Thanks for rating us." = "感谢您对我们的评价。"; -"Download" = "下载"; -"Please enter a valid email" = "请输入有效的电子邮件"; -"Message" = "消息"; -"or" = "或"; -"Decline" = "拒绝"; -"No" = "否"; -"Screenshot could not be sent. Image is too large, try again with another image" = "屏幕截图未能发送。图像尺寸过大,请使用其他图像重试"; -"Hated it" = "不喜欢"; -"Stars" = "星"; -"Your feedback has been received." = "我们已收到您的反馈信息。"; -"Dislike" = "不喜欢"; -"Preview" = "预览"; -"Book Now" = "立刻订购"; -"START A NEW CONVERSATION" = "开始新对话"; -"Your Rating" = "您的评价"; -"No Internet!" = "无互联网连接!"; -"Invalid Entry" = "无效输入"; -"Loved it" = "喜欢"; -"Review on the App Store" = "去App Store上评论"; -"Open Help" = "打开帮助"; -"Search" = "搜索"; -"Tap here if you found this FAQ helpful" = "如果这个FAQ有帮助,请按这里"; -"Star" = "星"; -"IssueDescriptionMinimumCharacterLength" = 1; -"Tap here if you found this answer helpful" = "如果这个回答有帮助,请按这里"; -"Report a problem" = "报告问题"; -"YES, THANKS!" = "好,谢谢!"; -"Was this helpful?" = "该话题有帮助吗?"; -"Your message was not sent.Tap \"Try Again\" to send this message?" = "你的消息未发送。请按“重试”再次发送该消息。"; -"Suggestions" = "建议"; -"No FAQs found" = "未找到常见问题解答"; -"Done" = "完成"; -"Opening Gallery..." = "打开相册……"; -"You rated the service with" = "您对服务的评价为"; -"Cancel" = "取消"; -"Loading..." = "正在加载..."; -"Read FAQs" = "查看常见问题解答"; -"Thanks for messaging us!" = "感谢您的消息!"; -"Try Again" = "再试一次"; -"Send Feedback" = "发送反馈"; -"Your Name" = "您的姓名"; -"Please provide a name." = "请输入名称。"; -"FAQ" = "常见问题解答"; -"Describe your problem" = "说明您遇到的问题"; -"How can we help?" = "我们能为您做些什么?"; -"Help about" = "帮助主题:"; -"We could not fetch the required data" = "我们无法获取所需数据"; -"Name" = "名称"; -"Sending failed!" = "发送失败!"; -"You didn't find this helpful." = "你认为这没有帮助。"; -"Attach a screenshot of your problem" = "添加问题截图"; -"Mark as read" = "标记为已读"; -"Name invalid" = "名称无效"; -"Yes" = "是"; -"What's on your mind?" = "您在想什么?"; -"Send a new message" = "发送新消息"; -"Questions that may already have your answer" = "已经有了答案的问题"; -"Attach a photo" = "添加照片"; -"Accept" = "接受"; -"Your reply" = "您的回复"; -"Inbox" = "收件箱"; -"Remove attachment" = "移除附件"; -"Could not fetch message" = "无法获取消息"; -"Read FAQ" = "查看常见问题解答"; -"Sorry! This conversation was closed due to inactivity. Please start a new conversation with our agents." = "抱歉!该对话因为不活跃而关闭。请与我们的代理开始新对话。"; -"%d new messages from Support" = "%d条客服团队新消息"; -"Ok, Attach" = "好,添加"; -"Send" = "发送"; -"Screenshot size should not exceed %.2f MB" = "屏幕截图不应超过%.2fMB"; -"Information" = "信息"; -"Issue ID" = "问题 ID"; -"Tap to copy" = "点击以复制"; -"Copied!" = "已复制!"; -"We couldn't find an FAQ with matching ID" = "我们未能找到与ID匹配的常见问题解答"; -"Failed to load screenshot" = "屏幕快照加载失败"; -"Failed to load video" = "视频加载失败"; -"Failed to load image" = "图像加载失败"; -"Hold down your device's power and home buttons at the same time." = "請同時按住裝置上的睡眠/喚醒按鈕和主畫面按鈕。"; -"Please note that a few devices may have the power button on the top." = "請注意,部分裝置的睡眠/喚醒按鈕位置於裝置的上方。"; -"Once done, come back to this conversation and tap on \"Ok, attach\" to attach it." = "完成後,再次回到此對話,並按下「好的,附加」以附加。"; -"Okay" = "完成"; -"We couldn't find an FAQ section with matching ID" = "我们未能找到与ID匹配的常见问题解答章节"; - -"GIFs are not supported" = "不支持GIF"; From 8de1a71d9a13b7badd7df051c3c318f6a13394b8 Mon Sep 17 00:00:00 2001 From: Chip Date: Fri, 30 Apr 2021 14:08:25 -0400 Subject: [PATCH 156/190] Adjust i18n issues for Page Design and Site Design flows (#16404) * Update the Page Layout APIs to use the v2 version of the RestAPI service * Update the Site Design API to use the v2 version of the RestAPI service * Add the localization calls for the Site Design previews * Update Podfile for WordPressKit Changes * Update Release notes * Bump WordPress Kit beta version --- Podfile | 2 +- Podfile.lock | 8 ++++---- RELEASE-NOTES.txt | 3 +++ WordPress/Classes/Services/PageLayoutService.swift | 4 ++-- .../Preview/TemplatePreviewViewController.swift | 1 + .../SiteDesignContentCollectionViewController.swift | 2 +- 6 files changed, 12 insertions(+), 8 deletions(-) diff --git a/Podfile b/Podfile index 3cbb529436de..082a3f10721f 100644 --- a/Podfile +++ b/Podfile @@ -49,7 +49,7 @@ end def wordpress_kit pod 'WordPressKit', '~> 4.32.0-beta' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' - # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' + #pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' # pod 'WordPressKit', :path => '../WordPressKit-iOS' end diff --git a/Podfile.lock b/Podfile.lock index e0d259211df6..6478e3920b01 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.32.0-beta.7): + - WordPressKit (4.32.0-beta.8): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -511,6 +511,7 @@ DEPENDENCIES: SPEC REPOS: https://github.com/wordpress-mobile/cocoapods-specs.git: - WordPressAuthenticator + - WordPressKit trunk: - 1PasswordExtension - Alamofire @@ -550,7 +551,6 @@ SPEC REPOS: - UIDeviceIdentifier - WordPress-Aztec-iOS - WordPress-Editor-iOS - - WordPressKit - WordPressMocks - WordPressShared - WordPressUI @@ -747,7 +747,7 @@ SPEC CHECKSUMS: WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c WordPressAuthenticator: ade67c843e35afd5c462ce937a8c9126dff0303c - WordPressKit: c2fb5465bdcaf5275a2560dba3a1299164a4f7d2 + WordPressKit: d8bfbd3774490ff24c8df01e007ddcb6940f3727 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 8c754c252a9f36fa32a4c588e9cdeb0d7d8dbe07 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: b603c4dc6c757b41143ea788d8494e9a9418b63f +PODFILE CHECKSUM: 6e7401c232011c94914623b98fea3c3277537c3a COCOAPODS: 1.10.0 diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index 681bcb1bcc50..54868bb97b3b 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -6,6 +6,9 @@ * [*] Comments can be filtered to show the most recent unreplied comments from other users. [#16215] * [*] Fixed the background color of search fields. [#16365] * [*] Fixed the navigation bar color in dark mode. [#16348] +* [*] Fix translation issues for templates fetched on the site creation design selection screen. [#16404] +* [*] Fix translation issues for templates fetched on the page creation design selection screen. [#16404] +* [*] Fix translation issue for the Choose button on the template preview in the site creation flow. [#16404] 17.2 ----- diff --git a/WordPress/Classes/Services/PageLayoutService.swift b/WordPress/Classes/Services/PageLayoutService.swift index 07c75f15e61a..a6dd08d7df82 100644 --- a/WordPress/Classes/Services/PageLayoutService.swift +++ b/WordPress/Classes/Services/PageLayoutService.swift @@ -20,11 +20,11 @@ class PageLayoutService { let dotComID: Int? if blog.isAccessibleThroughWPCom(), let blogID = blog.dotComID?.intValue, - let restAPI = blog.wordPressComRestApi() { + let restAPI = blog.account?.wordPressComRestV2Api { api = restAPI dotComID = blogID } else { - api = WordPressComRestApi.anonymousApi(userAgent: WPUserAgent.wordPress()) + api = WordPressComRestApi.anonymousApi(userAgent: WPUserAgent.wordPress(), localeKey: WordPressComRestApi.LocaleKeyV2) dotComID = nil } diff --git a/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/Preview/TemplatePreviewViewController.swift b/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/Preview/TemplatePreviewViewController.swift index 9dc8a029cf98..26d7fe7adfd3 100644 --- a/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/Preview/TemplatePreviewViewController.swift +++ b/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/Preview/TemplatePreviewViewController.swift @@ -97,6 +97,7 @@ class TemplatePreviewViewController: UIViewController, NoResultsViewHost, UIPopo primaryActionButton.titleLabel?.font = WPStyleGuide.fontForTextStyle(.body, fontWeight: .medium) primaryActionButton.backgroundColor = accentColor primaryActionButton.layer.cornerRadius = 8 + primaryActionButton.setTitle(NSLocalizedString("Choose", comment: "Title for the button to progress with the selected site homepage design"), for: .normal) } private func configurePreviewDeviceButton() { diff --git a/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/SiteDesignContentCollectionViewController.swift b/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/SiteDesignContentCollectionViewController.swift index c1912101090c..aaa91e737ba9 100644 --- a/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/SiteDesignContentCollectionViewController.swift +++ b/WordPress/Classes/ViewRelated/Site Creation/DesignSelection/SiteDesignContentCollectionViewController.swift @@ -30,7 +30,7 @@ class SiteDesignContentCollectionViewController: FilterableCategoriesViewControl private let templateGroups: [TemplateGroup] = [.stable, .singlePage] let completion: SiteDesignStep.SiteDesignSelection - let restAPI = WordPressComRestApi.anonymousApi(userAgent: WPUserAgent.wordPress()) + let restAPI = WordPressComRestApi.anonymousApi(userAgent: WPUserAgent.wordPress(), localeKey: WordPressComRestApi.LocaleKeyV2) var selectedIndexPath: IndexPath? = nil private var sections: [SiteDesignSection] = [] internal override var categorySections: [CategorySection] { get { sections }} From 66285529e84ba59a1a784dee6fe301fc54089e7e Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Fri, 30 Apr 2021 22:02:28 +0200 Subject: [PATCH 157/190] Fixes a bug with some webviews in the reader. --- WordPress/Classes/Utility/WebKitViewController.swift | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/WordPress/Classes/Utility/WebKitViewController.swift b/WordPress/Classes/Utility/WebKitViewController.swift index 7c43b98be439..9df714fbad39 100644 --- a/WordPress/Classes/Utility/WebKitViewController.swift +++ b/WordPress/Classes/Utility/WebKitViewController.swift @@ -126,8 +126,8 @@ class WebKitViewController: UIViewController, WebKitAuthenticatable { startObservingWebView() } - fileprivate init(url: URL, parent: WebKitViewController) { - webView = WKWebView(frame: .zero, configuration: parent.webView.configuration) + fileprivate init(url: URL, parent: WebKitViewController, configuration: WKWebViewConfiguration) { + webView = WKWebView(frame: .zero, configuration: configuration) self.url = url customOptionsButton = parent.customOptionsButton secureInteraction = parent.secureInteraction @@ -521,9 +521,10 @@ extension WebKitViewController: WKUIDelegate { if opensNewInSafari { UIApplication.shared.open(url, options: [:], completionHandler: nil) } else { - let controller = WebKitViewController(url: url, parent: self) + let controller = WebKitViewController(url: url, parent: self, configuration: configuration) let navController = UINavigationController(rootViewController: controller) present(navController, animated: true) + return controller.webView } } return nil @@ -546,7 +547,7 @@ extension WebKitViewController: WKUIDelegate { ReachabilityUtils.showNoInternetConnectionNotice() reloadWhenConnectionRestored() } else { - WPError.showAlert(withTitle: NSLocalizedString("Error", comment: "Generic error alert title"), message: error.localizedDescription) + DDLogError("WebView \(webView) didFailProvisionalNavigation: \(error.localizedDescription)") } } } From 8095f9741b6153ecf0f346f2b4fd235adef30769 Mon Sep 17 00:00:00 2001 From: Diego Rey Mendez Date: Fri, 30 Apr 2021 23:09:06 +0200 Subject: [PATCH 158/190] Fixes Podfile.lock --- Podfile.lock | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Podfile.lock b/Podfile.lock index 8b5c54077e6e..6478e3920b01 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: e5a81057b705cba47862c9018fdb988e8a2212dc +PODFILE CHECKSUM: 6e7401c232011c94914623b98fea3c3277537c3a COCOAPODS: 1.10.0 From 05078b8b19991bed6f87954d15094759dcf5e9e1 Mon Sep 17 00:00:00 2001 From: Cameron Voell Date: Fri, 30 Apr 2021 15:40:46 -0700 Subject: [PATCH 159/190] Updating gutenberg ref after manually updating bundle --- Podfile | 2 +- Podfile.lock | 166 +++++++++++++++++++++++++-------------------------- 2 files changed, 84 insertions(+), 84 deletions(-) diff --git a/Podfile b/Podfile index 53cd5036bcce..97b05c1d6681 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :commit => '8645885e0549eac2425502b66dd088c268c0bd97' + gutenberg :commit => '6663aa8b4c2305890f25cf14b192070f703759ff' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index e784da6601f7..d12ae5743d85 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `8645885e0549eac2425502b66dd088c268c0bd97`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `6663aa8b4c2305890f25cf14b192070f703759ff`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `8645885e0549eac2425502b66dd088c268c0bd97`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `6663aa8b4c2305890f25cf14b192070f703759ff`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,103 +567,103 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/glog.podspec.json Gutenberg: - :commit: 8645885e0549eac2425502b66dd088c268c0bd97 + :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNSVG.podspec.json RNTAztecView: - :commit: 8645885e0549eac2425502b66dd088c268c0bd97 + :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/8645885e0549eac2425502b66dd088c268c0bd97/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: - :commit: 8645885e0549eac2425502b66dd088c268c0bd97 + :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true RNTAztecView: - :commit: 8645885e0549eac2425502b66dd088c268c0bd97 + :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 0c5b06dfbe52d9d63db293c74466db1b061118ab +PODFILE CHECKSUM: c98c586ec29c48ef5935dd53d8416e9e6aa9b6cb COCOAPODS: 1.10.0 From 015a71014de694671ef4819d50d0e9e09bc93412 Mon Sep 17 00:00:00 2001 From: Wendy Chen Date: Fri, 30 Apr 2021 18:59:46 -0500 Subject: [PATCH 160/190] Adding image block pops up image selector action sheet now and so breaks UI test that is trying to select image block. Fixed this by removing the image block tap. --- .../WordPressUITests/Screens/Editor/BlockEditorScreen.swift | 1 - 1 file changed, 1 deletion(-) diff --git a/WordPress/WordPressUITests/Screens/Editor/BlockEditorScreen.swift b/WordPress/WordPressUITests/Screens/Editor/BlockEditorScreen.swift index a92c21e63df7..16a5ed60325c 100644 --- a/WordPress/WordPressUITests/Screens/Editor/BlockEditorScreen.swift +++ b/WordPress/WordPressUITests/Screens/Editor/BlockEditorScreen.swift @@ -128,7 +128,6 @@ class BlockEditorScreen: BaseScreen { Select Image from Camera Roll by its ID. Starts with 0 */ private func addImageByOrder(id: Int) { - imagePlaceholder.tap() imageDeviceButton.tap() // Allow access to device media From 3b28d484cb3677691be9cee183e60b60bb861e19 Mon Sep 17 00:00:00 2001 From: Cameron Voell Date: Fri, 30 Apr 2021 17:38:16 -0700 Subject: [PATCH 161/190] Updating release notes 17.3 with editor updates --- RELEASE-NOTES.txt | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index 54868bb97b3b..5fcf914141e9 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -9,6 +9,10 @@ * [*] Fix translation issues for templates fetched on the site creation design selection screen. [#16404] * [*] Fix translation issues for templates fetched on the page creation design selection screen. [#16404] * [*] Fix translation issue for the Choose button on the template preview in the site creation flow. [#16404] +* [***] Block Editor: New Block: Search Block [#https://github.com/wordpress-mobile/gutenberg-mobile/pull/3210] +* [**] Block Editor: The media upload options of the Image, Video and Gallery block automatically opens when the respective block is inserted. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/2700] +* [**] Block Editor: The media upload options of the File and Audio block automatically opens when the respective block is inserted. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3399] +* [*] Block Editor: Remove visual feedback from non-interactive bottom-sheet cell sections [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3404] 17.2 ----- From 61add1b252496450a05ed857a2e03650be825b19 Mon Sep 17 00:00:00 2001 From: Cameron Voell Date: Fri, 30 Apr 2021 18:24:59 -0700 Subject: [PATCH 162/190] updated gutenberg ref to release v1.52.0 --- Podfile | 2 +- Podfile.lock | 166 +++++++++++++++++++++++++-------------------------- 2 files changed, 84 insertions(+), 84 deletions(-) diff --git a/Podfile b/Podfile index 97b05c1d6681..7fc5fa563870 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :commit => '6663aa8b4c2305890f25cf14b192070f703759ff' + gutenberg :tag => 'v1.52.0' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index d12ae5743d85..276fa7116a1c 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `6663aa8b4c2305890f25cf14b192070f703759ff`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.0`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `6663aa8b4c2305890f25cf14b192070f703759ff`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.0`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,105 +567,105 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/glog.podspec.json Gutenberg: - :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.0 RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNSVG.podspec.json RNTAztecView: - :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.0 Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/6663aa8b4c2305890f25cf14b192070f703759ff/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: - :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.0 RNTAztecView: - :commit: 6663aa8b4c2305890f25cf14b192070f703759ff :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.0 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: c98c586ec29c48ef5935dd53d8416e9e6aa9b6cb +PODFILE CHECKSUM: 0625d369bb9da486e6a13b348516a7b7b2b0e428 COCOAPODS: 1.10.0 From b24dbcbb118eff6d5fad2f7f2701efc1c269bb9f Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Mon, 3 May 2021 12:19:34 -0600 Subject: [PATCH 163/190] Bump version number --- config/Version.internal.xcconfig | 4 ++-- config/Version.public.xcconfig | 4 ++-- fastlane/Deliverfile | 2 +- fastlane/download_metadata.swift | 2 +- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/config/Version.internal.xcconfig b/config/Version.internal.xcconfig index ada65e722270..90e66c9e81ff 100644 --- a/config/Version.internal.xcconfig +++ b/config/Version.internal.xcconfig @@ -1,4 +1,4 @@ -VERSION_SHORT=17.2 +VERSION_SHORT=17.3 // Internal long version example: VERSION_LONG=9.9.0.20180423 -VERSION_LONG=17.2.0.20210430 +VERSION_LONG=17.3.0.20210503 diff --git a/config/Version.public.xcconfig b/config/Version.public.xcconfig index 0a3c37246bef..ea3ebcc6d3e0 100644 --- a/config/Version.public.xcconfig +++ b/config/Version.public.xcconfig @@ -1,4 +1,4 @@ -VERSION_SHORT=17.2 +VERSION_SHORT=17.3 // Public long version example: VERSION_LONG=9.9.0.0 -VERSION_LONG=17.2.0.3 +VERSION_LONG=17.3.0.0 diff --git a/fastlane/Deliverfile b/fastlane/Deliverfile index 84629661e2a2..e33f79bf02a1 100644 --- a/fastlane/Deliverfile +++ b/fastlane/Deliverfile @@ -5,7 +5,7 @@ screenshots_path "./fastlane/promo-screenshots/" app_identifier "org.wordpress" # Make sure to update these keys for a new version -app_version "17.2" +app_version "17.3" skip_binary_upload true overwrite_screenshots true diff --git a/fastlane/download_metadata.swift b/fastlane/download_metadata.swift index 3e33ccc13b29..fbc991e9b4ad 100755 --- a/fastlane/download_metadata.swift +++ b/fastlane/download_metadata.swift @@ -3,7 +3,7 @@ import Foundation let glotPressSubtitleKey = "app_store_subtitle" -let glotPressWhatsNewKey = "v17.2-whats-new" +let glotPressWhatsNewKey = "v17.3-whats-new" let glotPressDescriptionKey = "app_store_desc" let glotPressKeywordsKey = "app_store_keywords" let baseFolder = "./metadata" From 7d3fe18965d1525edf5c1fc7c72cac1ab9807142 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Mon, 3 May 2021 12:19:37 -0600 Subject: [PATCH 164/190] Release Notes: add new section for next version (17.4) --- RELEASE-NOTES.txt | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index 00a4fe1d9220..4686fcda41fe 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -1,3 +1,7 @@ +17.4 +----- + + 17.3 ----- * [**] Fix issue where deleting a post and selecting undo would sometimes convert the content to the classic editor. [#16342] From a4652f664274a40448426d5498153d6eb9ee968c Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Mon, 3 May 2021 12:42:46 -0600 Subject: [PATCH 165/190] Use Production Pods --- Podfile | 4 ++-- Podfile.lock | 14 +++++++------- 2 files changed, 9 insertions(+), 9 deletions(-) diff --git a/Podfile b/Podfile index 7fc5fa563870..0bf8064fb1f0 100644 --- a/Podfile +++ b/Podfile @@ -47,7 +47,7 @@ def wordpress_ui end def wordpress_kit - pod 'WordPressKit', '~> 4.32.0-beta' + pod 'WordPressKit', '~> 4.32.0' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :tag => '' #pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :branch => '' # pod 'WordPressKit', :git => 'https://github.com/wordpress-mobile/WordPressKit-iOS.git', :commit => '' @@ -207,7 +207,7 @@ abstract_target 'Apps' do pod 'Gridicons', '~> 1.1.0' - pod 'WordPressAuthenticator', '~> 1.37.0-beta.3' + pod 'WordPressAuthenticator', '~> 1.37.0' # While in PR # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :branch => '' # pod 'WordPressAuthenticator', :git => 'https://github.com/wordpress-mobile/WordPressAuthenticator-iOS.git', :commit => '' diff --git a/Podfile.lock b/Podfile.lock index 549acfc06e7a..dbdb5b599abb 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -389,7 +389,7 @@ PODS: - WordPress-Aztec-iOS (1.19.4) - WordPress-Editor-iOS (1.19.4): - WordPress-Aztec-iOS (= 1.19.4) - - WordPressAuthenticator (1.37.0-beta.3): + - WordPressAuthenticator (1.37.0): - 1PasswordExtension (~> 1.8.6) - Alamofire (~> 4.8) - CocoaLumberjack (~> 3.5) @@ -401,7 +401,7 @@ PODS: - WordPressKit (~> 4.18-beta) - WordPressShared (~> 1.12-beta) - WordPressUI (~> 1.7-beta) - - WordPressKit (4.32.0-beta.8): + - WordPressKit (4.32.0): - Alamofire (~> 4.8.0) - CocoaLumberjack (~> 3.4) - NSObject-SafeExpectations (= 0.0.4) @@ -498,8 +498,8 @@ DEPENDENCIES: - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) - - WordPressAuthenticator (~> 1.37.0-beta.3) - - WordPressKit (~> 4.32.0-beta) + - WordPressAuthenticator (~> 1.37.0) + - WordPressKit (~> 4.32.0) - WordPressMocks (~> 0.0.9) - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) @@ -746,8 +746,8 @@ SPEC CHECKSUMS: UIDeviceIdentifier: f4bf3b343581a1beacdbf5fb1a8825bd5f05a4a4 WordPress-Aztec-iOS: 870c93297849072aadfc2223e284094e73023e82 WordPress-Editor-iOS: 068b32d02870464ff3cb9e3172e74234e13ed88c - WordPressAuthenticator: ade67c843e35afd5c462ce937a8c9126dff0303c - WordPressKit: 53d1329848231bc5776cb04f6a3cc340b32eb953 + WordPressAuthenticator: 2674c56cad016118fb4725b866b380b612db66fc + WordPressKit: 8094512e5498e5df57b52dae507a850fc0b38b18 WordPressMocks: 903d2410f41a09fb2e0a1b44ad36ad80310570fb WordPressShared: 0f7f10e96f8354d64f951c223ae61e8de7495a46 WordPressUI: 7735014eb5a518a8346b1179b36ba77abcb49ee5 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 0625d369bb9da486e6a13b348516a7b7b2b0e428 +PODFILE CHECKSUM: 969b56afb3d1417d365819ff405243ba0c0fc29a COCOAPODS: 1.10.0 From 757864530085bbf1730861c1cb0b8dac222a263b Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Mon, 3 May 2021 12:47:06 -0600 Subject: [PATCH 166/190] Update the `Nimble` pod --- Podfile.lock | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/Podfile.lock b/Podfile.lock index dbdb5b599abb..613a7d3b0963 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -107,7 +107,7 @@ PODS: - MRProgress/ProgressBaseClass (0.8.3) - MRProgress/Stopable (0.8.3): - MRProgress/Helper - - Nimble (9.0.0) + - Nimble (9.0.1) - NSObject-SafeExpectations (0.0.4) - "NSURL+IDN (0.4)" - OCMock (3.4.3) @@ -699,7 +699,7 @@ SPEC CHECKSUMS: lottie-ios: 3a3758ef5a008e762faec9c9d50a39842f26d124 MediaEditor: 20cdeb46bdecd040b8bc94467ac85a52b53b193a MRProgress: 16de7cc9f347e8846797a770db102a323fe7ef09 - Nimble: 3b4ec3fd40f1dc178058e0981107721c615643d8 + Nimble: 7bed62ffabd6dbfe05f5925cbc43722533248990 NSObject-SafeExpectations: ab8fe623d36b25aa1f150affa324e40a2f3c0374 "NSURL+IDN": afc873e639c18138a1589697c3add197fe8679ca OCMock: 43565190abc78977ad44a61c0d20d7f0784d35ab From 426baff6a5508fc4306983af528bac72f7cc6bcb Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Mon, 3 May 2021 13:03:00 -0600 Subject: [PATCH 167/190] Update Strings --- .../Resources/en.lproj/Localizable.strings | Bin 763242 -> 868368 bytes 1 file changed, 0 insertions(+), 0 deletions(-) diff --git a/WordPress/Resources/en.lproj/Localizable.strings b/WordPress/Resources/en.lproj/Localizable.strings index ad8af836d8fbcaa1cbe40ed6fa5d492e30392079..15beae4303970f693f23cf22ac64e5f66bdb5703 100644 GIT binary patch delta 46916 zcmeHw3wTu3wSUf;Gc#uuJ$yP_MPtDq2dtUaQb+TWh@-ywsva{r`S@&od;5*0$gG|L*4} znX?~jzt&!Rz4qGgy*Oxd{b^0Z0vCeKRi47=+)0 z@Owr^_l#t@5lA^3brxq_nXx2esmkq_F#xGUGMHD5ycM!@so7OVl^LPP>_iJJbE+yc zMV5~V6#G}85oF7ru6BWp3wyFJbhI}HXjO%*|j#fw7XRP%$F_IKlEfd2Tr-uIW};z6Ak4xoD&Gj z%>J1{=feS~OVi+BCkZtg)~-c^-m!OuPOmeas^PX#C0q7-BeM4m!;;-OR#u>Y#^8(~ zCZ(4c-}i@|H?yMY6Zi>M84fV%pN}m>t|T;H=+yo#you%Lbz2 zg=&rFVbxaRYajr{0k)AVTh1{0t*_3gL!}k?zb<1H{^g?1z~V)*gf&RJLgjES=VOlR z@OLrRW~nMUTh*;W8Ro~wJ{WTl&8WctM33Ym^DBzFEW0vep@L9TiUKR}S%=1SuUD!D zm!QyaWt&KuUd?VAP1=~ zaFQ3O!RzrQcg+;ku0?KN)LDu;OYnPuOuER5T+uJ%%#HlAZqQ5YEg9%Fll5?cvn+v8CyG+mfx# zIA}Ka_3e7Is+KrknL`R#gC5L7zvkjsos`trMeNp7sh>Y`*T#$Ho4V!OgSm2lG>|8q zmRVWOrfIfxx;>bslX@?;LdjCk<$H3y-^iGpQR!@$7SY90(kixGD!GI<^lqb*?%eIc z5WhllU_vk}0mxZ6AxlE{U}fU1#ZxS2(7t3jqeecz+8arf^7Cj}nNcIg-~17&e$hK% zSGQ?%eS~{f6w}Y6d4XD5eayvqu_(}w$K^s*B8o*%&tD-oo$4~&J{c7_lk_p!2d&hg9dZLpW!v|Ck&b=TC%H^jL|(}? z3!IG$gS%!g7?X?9O_ldwGlNq1LvOAey2i{B>sv<1xZLSDwBS@8=kal_P)D~uuzA$i z0Ks{{^YG`^o2QtZIx)UwgwybB+r60u#vmu>>VkhpOLBXQf11;Lvn}twW@fhckN0r z|1&=JW;xZ@Jg6$}?i0-FsF~0!)M{gtvh5=yERT)zhh*k|`hwznz{-|cI}D#>Wr9j{ zxjIX}R5fSy+qn{&@AK{Y?3xgF*A!XxcCfpYPBVgM=`A=fV>M=*b4<3m4kI8R7|qCw zM%4<;Q}~u-o5}D38y#bQ#L50or{dNEf9zX!P6!lm=48ym%)B0293n?fd4xntkAtGm3dPmWkyl?bB7-To zaCg+GQ3wPDuWf~2mJUyMJ zZ{ID^h>^Fe;qEF!dj8c6IgL1oF8+45(=sM^*E{#v+-#K-NQV{x0n$%Xev!Fi@9R={ z(F&kNJLP5hTfrh}3KdWqD^{7<$zXgl+$678JAtK|cLYv&d<2 zL%WXM*D#Dgocb4i@O$f6{Wsgt2nWM>Dn2o%+Lp8d#KiE>nYEJRs_FjBV1 zABj{Txm89+R1P073S{qZy}jj;Yy;c_c;?bv!!l=_Ha8Ovl#C!D4?jDXInbRj12 zk-KmPM|)cXWJYJhb{{D)ZdZbYDjry-NovL#Rm}tXDqDIQVYfVL%qj%biL&WTwlv(A zH;}VTnS{|2#DL*_p=c z$qvjl0#P{>hKw`0+S^Swc7ld)#0V5?mC@WOknQZ))l)thY3z45k21y^PHma(mRA_3 zQ(l;uLW1-`la|2aMm4(qqRd>mcAF<(nojXr^47okLhj9H8&fUjo;e2iF;_7RBo#a_ z$k%I%oy3|pOUdA~yyr;nc;h2NDq@+s*qo-WJ8*afm?ASCbiCK_2ro!mFjE+*!=SD$BWRf{E?DzT&cS3~!$el0p1d%LB(+0z|) zzVVWQMcT04DCn4e`V5i{RYpN9FEb_2IrtLE@I*OQh4ysaKosb}?xfZ7AXPf92}IoT z3ye)cX{s}-I>eEbEKY?O;01HeR$Pz9U7ft`O>2Vt*(FA4H&sbKyUGYUPY%!WvS_Wd zvq|xj`7$dn7<8*v8%>rjxAhu~?9u5M?R)RO;{WbMqCREZI>U$l{*Pl{Y`J za%IOay+K(wz|3oi2FAE|Ut=_wgaZ2Y??zU~RCy3=nX{)cEE`_|&~9z#7ANaUcaNPb zP1m9?+w-w=OY4oj$=t#i507=Fluda|%ae;G=iiOO4r$r4VRWGA@eRh+9TEVnqFRNJ zb)a#{oq9H?KbiEL$$=>pr*1xVn=(_kb0WH=Y5h8uc*#QJ;(c zU|#H&e%I*Vkt-Tjj68ai1UtvsIXe>LWrn(sK5k^k=BW7zOvTttUr27->dlvKy8%*t zKC|7|*=_!@(J3G|K4WZ@=AZaM_W$g&<W&a(xR6-vamVXJ50)vumL4SBKM@OEAl93jPsoJT9 zK_q?pQY(eqsN{U$!5A7n&}4co+bw;`7;u)70K4{4=0>)njYr4pl|0ZZNrmML%WJtf zgjOGh&f(!~Xk5B|7|fQ>y!c!kFrRd1Wty{0nRTnTyVU-|^vRA50ox4*O31YD#()~zqbT8Qbbe2CYPd3~ILAU`1{L@YEMXp{n-w6NHEe=HOPIHL9Ep;K_B1j2*&mct9MMR zj`?_XLa@jwA2!JKbu<_IrR8}~R964Y8Y)k{0Mla2XF&@Kiz7ic1k8vW$~A2q2N%iH zFIc@Gpm=S0%ET14gfV=TT9#n5N4Zbtn~&-_J435QD9&pvNYU!H!hoeQ6-unEOc(|& zB5Fa$FMrKuBNip3E4*7oo5A#Pf%B7>$(qkmP)B%TJC{PX09Q# z3QgOqG`{kaZB`MunB|3LVM>b3|0T$CsL-r-*LF60o9d^rMwY*X{T%EJ#MwUFpWpCJ z??gE;28`e|k2P7I>}F=U)m_a|hC*de8P4CbWu9U=@FUx1ZeC7YZ9)P>+vWo4_yLT~ zI|i9~k>m1!b%P{lfmtH;e++b%C~182DQ2#_x0`u!KTQqyR+*td!e;Ai=pV**BmL3p z8m%l`Ate`j!%{!f>yynt0yDUDsFe?PX`WJjP_f9>tV3&uCqXw|3^XTz2pA(71+b}% zY8-^>z0dfnrRwLN0kZMZ%u=bo23xPH#tgdAO7o+X-WRsp@#F$PXO_-MtHH^nH-lkH zF4FQNPiJY&AqjgP+qd-Bo?Mx6fw?L%d+9Q+NIu5KPQiqD^Ig$9F@!GDk}Ft0IXJAP~1I{|7LuQ1BP z62PS*YKG;rNoJN)HN*bbbYW){+opE8uZ#Q11?C(6#H?f)Q>0`aHbeGwGaJ8aOmBg_ z)eNR+z{O@yc`0PsPU&qh>|AVSyGYs`<6xqTL6*VF=E->eQe14)?|q$|793x1USaOe zl%~lzjW+cOLaJPC&a@@;x>+e>>&;MPn9?Z@fr+v#LzRnLH8W zT*e2tn1z8vg6u2?7g#;hlhtsOdAmMUrff8~HiRroLjP{sZsSd6E`D;h2uqm*uM$Fm z`1I;8{9&Hqz2(s5VBo9%=C|ELx0*LnS259FjO_N&PK`&s}?`Im}RPdddIQNXamNcsLdN6r8kwNE_Qv(Uv5qGZqsW zuUztlmDS#r(&d>UXVop(yNk^{x8*K#VX+?jfqTI`^xtg;yK-$Pg)G35%u$<;cD}jz zMssr66K2<<6BLox9-JpPG~aLHS)aV>KDt?=lBa`))PR})``6*Lfxd6AkmG~ zGBq2av|0QF=x$2IpKdg|wpGXJ|3EODG#nG#l;%`Qeq}@&9<{*}#UXuBQJ_T;B$+lk z#+qPFm33O~UFR)|48W|Bfu5rfk=6;wbMk4nT__uyu)ot9J?X0N_sX2nYBG;&T5fK_ zQPw_uIn*n2S`r9$B()csyF~%D$?m%a6rR;g-!R!Wl&Y9;iYFdFHg&Evqe?4e5Y+2OBA|FvK~{# z%=e{Es>;3bJztlUM(~-}=HjcuEt4P@CP$+_S58fxWZmSd$IM)3*2O_*)OE21Qq>d5 zi?2&r7hUDi(PmysKYlkF4h*ek_3^XpkX*mk2>D~8kZdT%R=9q5Ae5;YuB(8Fvz?q7 z5e?}iE6A3$R$;5gBASnztLPGsXR39UO3f2y5kv?cxUnobrK`6liDd9GSRXNT`|vNI zBilmR@~N3Z88X2c0PlE=)G2@{rxLUPo<8V-B&{n!O6=?I8wCu$68 zW!uL_7*-gvW7@K2%$7@^FpIwiFo&N`9fV&oERdi$BgS0W;)8Q(`D+ly5`?TmDdEvI zDoEMgB$20Ygw=A#DAPKCs0{as+>;1K_1Da$iY_EbY`RJ-cK z-QF&(mL0kcEo4HWw-$Q)mBmK?uC)pY;+A!eBn8{#meb)>LwH}I?yaY07Paa@A;m>{ zH)@_i&l}rYqNe%;*~aVU^yKV2c|&vM!Kjs85(h;r;qVq>06gNTf~0)CMon{~eAg3} zmy)Fxq>ER0I`EXM{fYTTs}baAXHcSLDw4n@BJR`FCc1>BpA zX7`C*RO3*Iwg|srX;uSj7vA7639t3R-qK)36|?xvIsUv%9)Fr6Tp=)_7DV*tYV?PW zYD+Zs%lAJD6z9a*z=VNMQ|Ye^5K?>E2_{=w{3(P6`gdwkqZ#q3S|gL11Dc^|Bk#U@ z?Bn=~$@{^1cYhv^LNl(1iAQalM4I!`9bodFG<&BK=Ir4U_meq<|(iBs(;&de`aTlrNasb;(bQCaF5zFs`^HFcyPkd{#C z-OlvnynwmGMvOJCYpUb_gf+PrA}PqvmT_*x-IckINS#T@4&Dj*zUq0?7objyo&A*~1xMn=RIz zcCMd2z_iH0zxj)0-2L9Xz#yblpd?f!6TMKy&9Hs)(EYwpI0|3SXvVpi9<2ogK<*a3 zO8>%+!Qr!2$CM>11^HY4*JI1LS>9~fF$ENI(dYQp`+Uelk5s}B5?d&S=IxeSdL8(j z^py}6cFLDpQhpm8v6N-8(Hn#c^*>FkVIBm8F26E5$C><;22Q5VaooPzLM zsB>QJR^Zhve@-2+q{|bQ9iTVhBCPWq$?4@SPu!Bwk$svy08Nyu=n;}%5p+R?42nRNVY0Gjvwc z`>u7_lYryo^nfxGeq3(#pUr%z=Ak+2L$wXB2r1vlxQY#b$6_&4awI2W^l-2KA9JG7 z@C=-5YVQwTD~CQX`*Lo(LTE$bWpKys4p92mRw7NF{>&_JyS12adXy$kvbRIv9`V0{ z-~_T-`ZVP)>eKZVJ6;r8plpP^CpAu;|4Wfa&UXd4k=ZCs?-=sGD|oX?jL$Jedp|TS zV}(rm2$q_>1?C{xvDCD`+wF)+2d0Tq{*f8%kj^-FcnA908ONtjdIt_*@j4QE2e`me zGUXk!liTgDrm6f^6hvdP+_w`F1oOR09+LZp`yr0L090iMR1U2zm<-)_7h*{$B&s~j6h)ixpY0s_Ls0fD z^mg$;{+8vpz?O5*H~gJXzG$x8JqynESd3PPc-b?7!X77q_`-rRW0Aizft;7AL77nbo;JlQ45&3(eMFHQ0A z;?l&6(z{OjRRNgX;iPHY)hDwM$JJ}Q`#jj&xQwFqMcO#qDHz`$g{i$h8#I{CBXjY8 ztqh;yDK1D(LVD&CQ#>UcbxC@Cnw+$qWFGD;aJw#((@?ZH6;4})elo?=<2XbUiUU3RbjB=VK*=+UpeZwdcE5SOre# zRgE)o9MCPU-fi>1kVJW}Dla$P4!0ldjI8cE;uA;aU0uCwz%Wl`53P-vB)PD71zqF9KG^3B22U1c!8{Bj>0$k-B937FZVxhopd0TVP)6ki$Q7_0mbk$J3BB*Pr27YE-q#2& zuQTkc@W_tJ<`1oG_sML}F+Ydc>l}qs+`DK$4Ht-Ov2^)CcTbT#@+#~CBMLl0_dvc! zU+0i}3Sc45-w1c_F6x&JZ>jo_o#pl{^t`K_M_44wdF<*?B=s^Ko24*c=j^;XEMs%w zOnT@TJX5v;{3Xg`5c8rLtQfYdnWBAz#Ia3KsPP3gr6M;NcC)&BDs87}U7j@EXlCDb z6|{u=;YM2O!ja{zSstIso=;cwdT1wX72zjWR2j=p=P%Lg-gUdaG z`gx+s?BbJ$8CEdW5FvMBKsY^QTR+dF7_^^WWtG6-X7_dL`+E>)N8LYN37<-NywH=k zo-{?@Ql`v9f{7dkmDoNC7=dc2%y24gq6AURihz>_oQ@48FFHT!!jBo4d5Dz zHk;^jOo8fVJ%H<~1V16Rl2u$x@zi=G`%I&A;6jCOyz{2~CT|X#p@BN2Qd|-sLJ%d0C`ockq~ML1rOsWy z?zuNTGcty%U?_bv&L5@x#YLGBSQb)ypv|MYKXC)G9xQZZa&Uhzyq9v#PAv@w$&+|0EMf`G4<$2Wm*MV?zWr?Cg;JZsq&|bW$ zfu6kMB%qflL2YMA?K~|uie*db1WM|AQVCGKG$-;Uy9 zl4qD({h;TF>C_gFkMY{6x5;CNi)^{vGu^K|t#HqA%Vym5{k0hk5E{7_oz(mtIA@Oi zo@c6FQ_5B8x_cJCQV#C6!|vVR^Ni3O@AyYO-SjQ;rH^|0w!Tl^?NQIQIZo4AA!n?W zPyY#AEf`|?8hU%nWzZgv54RSGXcY7&;4i)VE=Q}t3Yqk*rzkTek;WHkeAaUtS^00A zOZ-AP%>(HfAx zJ?HVM+xWxJMaPr3Q7=Rn5p4y7N+m9Bl#zp{;BGvw=4Z=+I!_mO{_~y#JtTU_QzfS~7N?{%;;cO-m^mH=Q_|!OKZcHoPT;qH6ZE}QCeafV2$p5Vhe0adf$5qJA?$Q7CguF^bE$9OS0i7V{L2E;4 zkDMZ=R>djH)N#tF+FBwdYjF|tk-wp_=RQH7hk3l&Do{k|W6vP3?%6v-t=vF@P{_fd zaK0P%I?7=eo<%5i0Ih93n#Uc8RpUCQ-sEnxoZQ;XD|0-xL)T(Ln-^Ht9Z_qDv>fqu zl3ClJzWDKHo+%#HkHIQP6UITLprEPc*+j?UVVvS6oWt1#l4V+-v7a3oRA(jV#0t14 zAPA}KJQ@s78l*bEK*cbmx}9o3%7TLxZ6x{U<%)UuPU=2Z;49f?TVRKOMX=7cvx=qR zhyG5uKjEFceu7#!%F{X^6K6E#3_|*B#i;S*;2A^jWwL?%*2g$yGfoo~mpn<%Q^O+H z&#BW`kSd6=MRGfoQlfIpIDbHneiQLivTg}xttWw9h-#O|yf=wa8tf9)jkteha&ErX z0rWn(5y*ydAc%=xmwaKb$u$)u?zOtO*SgLx_2*iZ67}K2R(2Mc&;dDM4aQEw)spA) zJt15;kFiu@JR2OiJM^ieu_X7(;Cct58|iF`QOE*xKU#Rd0yH`Yvk2@ zINCH7ASO!G+2bqfM{H{4j-GKhRDy~z2zVxGs&QC zR#u1f^p4{#Wn*$~tIqdeCS=DU!j^+$;ep6^Hz=iy1kSN&!~la#KT? zq^=q$=ParWGDLGdJPr&XoSkLi^|9ZmJx~!K8baA2tq7s|Qmc)w1O>T5LD#XVIZbR! zm*a?2YqAbYkf_ZAg&~pCrlzHk+uKLhqD^arCEW2%+F zQgQOEf9k=}TJGs_5@6uSZj`7nUoOIY-3@1L>_(3=LXES+@FP9=7xS{wL=kQ#BD&ru zT0^HrsZ{Z_&64u83GTV^YIBfm8f5w0Lj$ZaF{)5`x)sE|Q!>>RBWP&<#Gj2YFLaq8 zTQo?F)2zbQ1?15VaH?cah4o8ReUy$X87RN;XsLspoM+ieIqMU|oFnRU!+=?lE!lw* z$vO=ej=oxD#xlYwmFR=KHqXv4N{^74#&XG?$Ae*c-R4!xGSkY@tldhr8#%Rlq+b?{ zKL$pwnF{k}u$>JHr1;4Dabg-DwfWX~@Vu`1C> z+I8-G_aH(YAsrWksp5tj8GpK!T}ZkUyZw#zrg}x|GUll@ZdGr#bMS^j7st{pE7{_D zvYNE;P}w#JK)w+p!mVXlev>egVp9_lQ<@-+uGg%20bnFH9bjsHQJ1E+ncVptRW@aZ zNr%&{4$J<@olwpoY6fF>-V;-ec!|_%gLXUdNe;)8T2F7Hte)7-r(0`d*jsgum31m7 zfV?Q7@mym7RPFLgj+JK(PZsj|bSWl3dv!8ggo+wRaV^)|m$|axZ~kz@w=%Phe)5AM z-eTO2A<9utO1M-)%~O|`69V7aBpWQj+oLS?FY8Y?2`%tgZs;7VQw~L-GbUn0SL44Z zT|O`lq6JkZOH&xXHp|GKzR<_Qn(PxOj1ie&i|=~bybyl(ThFvQJ${k3s6QKs#Qpq| zc!m@xW}%_@9f(EKO{UMeXZuLEd4mNP{=LswmFm(0J;rD&BArWCC9A}>isgxMA0+wB zYkY&`-RrCuRc%>&y_MaIObWRydajYKll9<@SN`P=n}c1_Prh}%RdkX?;W8g~AHUw} zW~x>|vPocye}#|$5B&!W(qvQp>|U$nN>8@a^iZz*ha0SBkCa{w)yt?-1b*4t3-Km* z-$WjH^AkpInRO?K*_#`!AGQ_N(z=VsilJS5E|F*>{^v4op+cfWBndL>;=dH{9KDT9yH51*yyD&D5B`@sm1X+^kXK#BdV84LUkT?g@~{+s@6xAS+bX(=tkPj^|Y%@KAkV%UPD-EYlS zx-p{)vB$E1XxaD*$50K`1q0AE&%A-#zeM3qwY?swC=SQD5H& z9_mFH;N_!z2z+?=r!XR1{msmvJLm~(JQyVw?D7fiXw2sD? zB7XfmK?9xTkAXS6-yWj;Vx01ML8sd*J~`GI5pv#o1#5_#?|c{tLQukPB8T>3t!M4E zEN?Oc))TxI0n}`K*7B7QRme6h1rL)N2Cx!<77&r-Y0FYUZ;L21GKo$hiEg19Qk`WB z@Msi<j0PjG@qH=^=yW_gPJXdRiLJxzf(P3csOyTwf<_Q zqUGG1)PU(Dos^x&FUwGCOxp~Pia4J{j#Yb_FrFdxVicfpKCD-OS)H4R=QL+SyR4AM zW;Ifulwo|W9lr2O_xOuDjM({Mb+)+mzqal-z`VzuhLWS8(gBkr>!>VKhTTliiKP#F#6!xdH@ZyqPKhmj;)9K`lDNvgKL&vP_4r+TbJYB#Dz>=)^aE|06<7btqz4cldHl){6y8fvQ7Ijj{Hq`CBOegw5!z~m+liWc z?US+s7Eh9Ut;8k^$mlJUE!L>+Xr59_1|&k16k>aQDhhW8Ykd4T{;nou3u4hZ2R7xp z*+K7nh-25)TO|iNdVL+JvgbbKH1u|UFuX`c=6Zwa$ujtW33tYa^4zSjcVnBwgcNvMOb`#PT)(bJY-2D?U%~71hoLN%&RDnZ_A}3W-CS3=g z{@PCFVkz(K9l%~9-cm(xL~~Fcl}^bwF9nI=Sw+ofD&@LTa-P6l&w5X0w!5~s_kC}h zX8$o~bKg!u52@yy0x0Y^HvtcZRIcKDwZq#iDX;zj9_FpiJl;y+8An;1=N*@vtH#?V z&;jF%CVK9hC2E7!DTGem1wa1OOCDY9Te^EE;l)i^)CtwB2k5xnhE$bb3sjTPOW~Uf zMX5N()2puWaAjw;G(87@IUPi{)U)yA2BuWR|B#WL+`xLC%*f>6BB+q6tBql9;{flS z`tI@M9Wd#3`H>AW&0n*AV=1#ISn_2@JduLFN-f>m{@G6s4?;|hwMRU5dnM>16$29P zt9qw>P$>s5hPavl&}MGQ)t-n8*|J>Ga(QaF*Umf}Xd916SaF&+97rU{tN(#8hMP7) zjH#cAL!j}r)QTsF%}FpP2+Qf>mj4hvO~`kafmWH=Kgr9_Yb{QS5>+Fb-r9@)sT?f*a`9i`eMuLbv^`0MAB28 z0wH(nHQrf%GDFqU_Xh7eSSDYW#{aShIh&XH+}CgL9_#3@P$X`d9K67YoFBi_Olm^v zMFb*!A>HL)%BegI$%`?cTbdMz^enDTB!Rv%z$~Z zHNoSk&?d zy^kr)=HLr3TuzXdd&q>OvKYtZN?D%wl;TO)1==?+&JGgKG{(`FcX=l>Ouke?8~s)d zPv@9nOEs151z&;PMWrtve2()U)JxKIdp_2!O)&*Wa0+uP9Ut}-tk*^zBD-FG8g+H2 zxLq|svQWyKN2SC)9JIu@AhF3QP;;|WS4|#18O(%;qTZ%SVUc2UBn1z9IznMbN#vi> z3EB3Jr$W}g=p7_SUWBf6(T}|oNiD;=L#eFB1&WiFL7P4OrG6Q1Q5~4>o$6Np#5>ZD z;N8?o@Sb2!F04o07=L`@Gu~i&1|q-59+)$|Cx6Cuuy(-%VO>!pv@d9EaH6 zpCJ~{AG{+nC3@6beN=BIzrqk2&^w3_UCh4h^oQ!IPbt!pr z_*&m|=fN$#jcVuDTTT&#pYH5F`Js0P-0hBfua#Phj^2Oq?ls-*N4+yVGWLmJ7X|x^j}3 zCJV){GOIkg0&}DulvfW>#BMIDwt(uL*eYjGkj9PcS z&-XF>1JSQyT5Dn!r?mdX(q+RkFfceg}7O{`Flpt-8;c| zqXHwds(rR`w(|1ZL#{mAlViU(_9hmLOPPCbp-4()zY7ZfL6aA3;@;!x#^3wZPMs87p zb}D<2b~obGV=<)TLdY?T&%@xpu;_UUy?oXwa4(` z9mjdj!R1Br*c30W(cK&LYm3XEB+M^W-Gk~nJSf-pM9n+LzK=JmE@f=N%QCYe5@~hd zC6^&OXwOOn_~UrmX}kTpD}?QGJ^ECVCPV+4GVU*4jgzjGz81Uh^=CV`Z_dRVSP1OD z^gO)3luW8bOc$71+*y^rF;)U+_}W0OMmD}SkVr@9a%$^q^lLsu#zcyusr3`R(e!gk zHl1My-Ii+KJ-KlxJ`b2tm@_0i|5v*Ru$ zly=BHY6T7dGKguCz_ou*Q~R_N81&r6AG{Hwwip3~#K#SpZ1=$>zU@I~%Ym!l(QYjS ziVaxdv$16$I4S`?k?T#0=hA-#@c7}?zMzK^dqOy`UG1BZDDMm%otrEu4_%g-C$&#{ zEO+l}-`X4$tA@%BTqy<4h_Zd&w7@Eo$L|2A^}@QW$Ut=z=qnJK6JqGeiW_}Y^|fCw zGo_xC{M0TwVN3GS!a#0BGwkH7m%@LMClKGcec}q}5vp$V`Pywy)h=$cHWn$?X(@RT zPXJ)JIdK`5YBn}eE0Zq6I}w9EhJW?U32+EtV_#GXLFn#4lm#`D)f;_pWWrEv$%o>5 zSg;F1?uZ88V=yY0cuU=v?)3f6M$452TC?N?(*$*U$~OAmvke-}1qi>hFRSHrwXK^4|A+V_7LDRb)#H zq9{3tHuF{IS^bpM?Blzgma8w*9WVktrS!*mK7)gB8{4J*J znw**&|A^;a5K90CP?1hZ3EWm#(Ry!xL3z0hmVVd#zOPP68SsmuEC_x>JvW}K zRa*JoT7M~x>+nh#{^=~uKf~rPzrt54FYWfgS^XXloK+t8Emn~dd+GY@Z2W3Ya<&tB zV&vhWd(2K`GMZ;WoyCJ68%wsG53Le|9G)njp%0Uu83NCYJa_67zE#SRqXPlc3P>Ii zzBnE*r|C&#Y;L>FcK7|vH%3KDl=pw>%f^K(uz6y<1%J%a*FduH4T}NH2;gG}xMP0f zJLZ=~uV4mdzU|AGneUid0(|Rj@O+Ej2CJL>132$Yd)v2F->HB3sLxl(+b&!??Tbh4 z0jV_jYN_}}X84p;7M`7?G5bUn#QF`+o#q#8c+wy7;U0hKUwu(|K-dt_=+;S`=_9woD zTopm5Lx@62-kF#Db2i%%7)}muz>R>71EJcU`GF6fU7z@Z?G$PnXlJ{)DqEFHaF=jQ zv=mU;6h~pLtw@bHPF^F`T6+?;Wb{h#$h;XRFDx*!-Mv}Zf$r;U26_cR;F#G((y!7R%$?fh-$~1j@&lV?Py-0ex&|dFp0A zLMd#48hz$3yo20_bNs^wvkn;oT$jb4``)yM>qsW9`G+PWA}{c;>v zTGZwukaj3XVdvmw1=2j$Z~eW1QtQje* z!Fv=uE9IUeo;-KJ2LEF~zI*-EaM*&^pzQ2!hXV=UW;xg$t}M(38wIE9un`U?v53+% ziKNa@Cl1TvN?Sarif{WP>V3&pnKJ3oKp&@ir7bsa1vA=mw|}Do6!YLAAQ+j|6em1-mS=MpKngt z?pyczf9GY9$r9S`w@bLX^t$DU*dYqv@hiKe?U=lB2;JxqR7~GFsR}ijz5=)TJN~>5 z5*^~NEYT=NeMI`z^b64t)o-(%!|+DMquxGgx+Jj39lO(iKklres_cEjZ^Nro&5lgk z?T;irHe3P2_>rgm^@xM~q{jy(2@8RJaXueeDEDNUS!XaDNF1@X%P;-5wbg~2fkRE* z$3yU?R!|N%Kz+fsWz2j2T)2Q>C&|HjtIz|OQg#YVl5ZV=569%)nB)@|$-e}O%-XTW z7}<2C)n5)gi%}(pCi%TAzTcyG3^hKLf@sBjUez7&od0zwn&J~7SHA!(!fSg7{*Hzl zo(D-@_X0YplE4ir0gk?Mr@Lc+?r((rgsKq+KS)*Ca@torZ@XRHmS6b$s_3`{G&O0z zL>!JA4Kx*Gd2H(05Zm#d- z?>!x6s%W8|=Qiit{exWKV#3q@PpNK~iB#v{>8D6Mwpi}^3sG9%1|eE$yDdp4(VhxD zDo1Gu;t|2cVjfAXzPUpm5FW6ssTIfcKOru1^TlZqk6m6=n$DVujaRK)+94j`B| z{*&z9o;*BpjJxpl6YZ$H+#9#ShnCoH;SKe5-k=eC%ChMkyGpVK*|wJoipas~xJ-ao>GR#wPqm|639xc_ zj6Vkql4-iFa%ZF}d!`^=@$ji-wBsd%C={?>dOjIMgwVd!SJbD?%Ble!Nud|8jsD|X zCcv>d|8_eY5oFSV#XHnS`S+;8;3#n8I=zzW0Y*W@twaB6q~q;2qh+43n0$T&nr8w$ zqjkx6FH*&PuIhnxNllWklPNWgF!HseLZpV(Ot9pJ5sI62L5>z2mp_ITBXl5NW#_k~kh(Bki; zVg87F;6l59j=E0}iL2i=(;f34lr4?8H?VFY?0c(cnxRwLEQGGpt%PBrNkYil0Bz*( zDo||JD*l36lDU8{30;gmyZ15>Q_ckWCHlK*4v8RX@@AB2sxoRWweOEX5ItvbAhbPhK+=zo09_?L(l_hX2ct3oHZSXzZb{~z2;S!@@4tpL@{ zo6<+@F=4$HjgJA7s-D96U;mu19h6(%$zSLUeE{JN7QqR6_t?|+heNp+CQ7L{;8PFKKlj~WXW4%VbSss8Gi@B)6f<=Qr1<4c&REh2^v6CP zFo8xO_|>ZS>+3lldP@HxN1$cW z`kxtRIT^Ns%1_x?90=mFRBvU_Rb}AK9lvb>IbWWx2G`0`UM2U-Z>ovgS9r4A9mN4W z1>HQ*p6K-aI2Sr>ZMe6&B`P^2Znx5$QUa%Jpum9GB^YU<;^qU*O-@Uch_gC${lK%xxL6IpQLi) zjWeNO9cG!KldP1}%U|e*Mh5yL;Nkc{wFhnz&gg%OoSBdo&@fK~&WB=Pv54{8$~sLu zagfEJN&{(P^f9}Z=nIm>MFz*^?>Kc@Cy`6e);AT$v6t`hQ z;I@3V;B%;*Y-{^}G0i#Ynws8l>#T3D4(*JLlmeoUm8ST`b>_o4%hFPLFtkkpPYQC+ zlL37a-EFI5?C|l!__EzigRHx&_d&a$lidw-4pM|wT-LZsO0EX!fRk8%xxc~}a%ay9 zjDwzMUf@Q7-)X*%Egt>U7$L{z297x8&HZK66@j_V?&;a`elz?@yDSLYHeTu<4papw zCo6Q5vPS`QQBxq>xnW$$ZTewgvcbzdIXs?u5NRzR4sNGx`#`C_CSWO>n@U!dlbD$3=FdS9%b&$vHfyOBf~Ovp1MmouivEGFa^$exMJj7SDzl#lnXBbH z>g|>*y%uVy($CCMGUMlRZljh{g`J@yx7=&J&F^|ioVZnx(GBlC2(Hvcz9Gk!n4?jH(fJ4Y7g$^6$~eDD4n z_;u9(7MWH1F)!(vyYZfZl&=A+xwH~q56#`+Jvnm|K0iC(g3;!6gx8W;-wlk1J0Fj? zmpq92_nUw%%9yEUoEeBE50j0v!CO*6T9$NvD0$^fu$ntpJIq z1pwTV^UIATVk4p$Nc#mSgxAJ@c*uqGW+`4?B((*q%-CFQPTu7=>9@a?m(g^ zk9{_l>Q|nQZu*RwAO}a{)u#6s+u43{L`&fix%^{9S=$TEv9xT$q}5If*v`6{wlP43 zo`z0Tv)T#6C>n{2nFohh5rkN^W#ue9f5|bXJFt@$QfH%S0r>+m=$I+>c&$Ph4h^>p zV>QJ1Z={|K%yj{04x~kLLd-|DQYgWi@uOwAhF#*?5}11~BM z1*v*3VD})SalFQ4Dpo3PP}bTLhP0GLT@YoY6dTsv_ou)}Weg@1Uoi(b_WPp8Lt?fyWwE&qGB}H@vt#*sYXWV9t@kXEeqmkct={6q<2MNV35D z-chN)FBp}o?*y|3eyOTbv)Bx~O^v~$2=qr6G=tA-lCpJ1z9F?aevDA)3g&JaSKuKw!n}MvcGWZUdeVgyFC=6=x zTZhq%gQ2BBdpC?$wP-R?dP|g!TY7k>g1?ibQ%9-Mj(UWkEkaZY#akyF5?#LTqVn@n zs#8fyjTbyf#1}r5#$+xjhpd-YpBu|ij8t8}KA^2lF&BQ>vJxTuIc{PErC6;CBI%4% z`T5AxAhf+QiZawcQOeWN%{AHPOC3~XlhzMJH}snY{7TMta+*@uuqgoccP|;5j?dZu z|0}lapS)s{Q^ALg_{MGNF{mJREQ9}Qcj#*4;sEi?}qqZB?;6UohjUv++F0C^bXYjl1Q9<7y@Z|3W_3*QE{be z%aBJVZHvbtxag$X)fx^`M6FcfrdkXrnupi?URA~=$WPfqN*%mxA|_eywe|*e(!k~L zolpkOdM7x@UHe9Gbt%`Wgqmc|y7CxGG4LkRWy4)?h*!c?x6I6Xnfa$+B_tVA3M{@; zTp!7~2ry#biUC8oZ9M9vO2UH%IdaQDSQHjzd9o0VDkbI4EZFo25V|J?K#Csql%%~% zm4L0X+)bI8xysbCAd!LT(R4XAARarXCyqvdl{f^Gn!_(uQ_3a;reBg;g^0!TmYgS1 zj$44#l1D>(&9qx5Ia3{zb4a9JDLK8YaM$($#*65ex;Tlkx!zD=7lzxYC(KBehIViH z3;uA&RwY$pvec=`Ug@Kdd~~ZSiM5ZF&|}Je!R+EbnUxt`p-fHAnU6t+QQdo?B>$#r=MO#~jCi0elZvQ6ObtD> zqV$WS90S*(jYa|dPY7D?HtmFpqf3@AfC*^RwVA^9}hO`e9-&U3BPrtQTVTz(tp4(+FcZN zYCW|uGx#MCL|%Fl{(PHG_2H51?yHn~jKk3RIM5bXGxDZKlg%tUq z*xN^1UW2dc=B=5pD*|{a1Hzt%vScmS;D60dQg^OniBJg1s2X-%zZ6&}T}S?BTV|nK J*O+&64FJg>w^~D^F7#5TeV@Q^O z5owHDusqC*xG;7vQkt$7BVtNdmhvHwhb!6~1WfZRRSqCsEK*8o+*+(2M0|H9{Cn?s z^qri{&dm4!-uwIg?wxRG^67oWu_;!$($a2evn$iH!UPv?;`Bl#n@?yIk45T*wTngv|AS9os?K;=UWZ6x};r(Tk_K$BmrG*!65n-nX2}cw4MbC>bMqEp4zUon`Brra8=q zTl>ivJzO#qV);aY{wAu$Q&W9{UUk!Xz4qqjcx9=bK=?I5gJielj@(HV=xtP0DE^0H zhyI5YXWUh`M~WmQ8b5IR3`GwerFzeOmHJ+P$Hn`Nm*1VL3tYZmJ*!baIzC_TzP|~g zT+IhZrNAK6C@6ZWkj2l}2Nk_%VOji8W1|p{wyb4w-;x7N_dV%~cmAlt3I6BAtoVjC zog$R^RlDwpY=vkmRkp5kFz}64yz%Z|G>U8Q(4f17xZ-siHKMDpIO5Ou`K)F~-Tguy z)ZL(D>BGNN@WHEhz2G!{A$b?IL*fxy94~*}Da1qkq^PI9o)d$UnbRm_UBx2nW=%|PE2W6OHq{jT__uOpgaw&(f0G?G&Qseh3a@HPmI5KbeM z2PTo6OS>B|&YuImH$)9w(@8x*Lo-DFt;Kkx|I;CT`!9-OT*`5}zapyd(B zm`yUFX93Zy=CcvAaC{*dW%XJvcF`wH&ivl_;HAfi%bZ7i3>PzIkc}DeLH}{db>FoY z#r7EPqy;znkYz5+ttX?5dDP5@aq#8$h^|XJOYb5J4pf5 zHI38ry-BOUOSV_$NW-few;Sz&BN@hMrEGtLq6;3(ZfEB^=GMhj8Ch7(nB0$93CG z%jF?E+>HNumI}i|_}6A>wV3U2Ym=A>{tKc99G^&Th^-)Q-n*Pss1Un_OyvE~lHyzg zOS|_I6JA|w;K6uqjerCZol*=+fu`}$JwiY>;Ohp*FG(J3$8fv8YrKKOH7(0H1URjP=M!H!>S=#%_x-pj@}DL=Ob{BJ|wuH zIgZwgJ%YZ&$1DP|cAXgVVFu6@l8dk+iG8}vhA z@MG-C?$_+#%VT!#J1U$N4MXPfp``GV0*NCkg9D$Cm5}>aA;x28guZLhsOZMAq8b@1 z9){r}v4Bs%PCO>@mU3~WW9@4mG`4uk2CHTx6!wj$s(x@Hl8T+#p(~xKu&fTFGWDRS zep`>$>**{QdO$3Ia}SCSLvWd>pgTqeB#lw|-!X!yej&55S3^a?YOa<~q0xtSG0{^MdXPc0Msue8FzQ=%8%Nh&$e^OV?R z$WomiT%y9Uka!+)R)~4fxnEVdV}*D&U61{skO#JkjPRjt;&_EG{Vy>fK+;VaG~9!( zX<3AEa^OSUVd_&H>Dz8==DBZ)GZbikTdd^Devv7>_YYzuPxtT1g~0(;(?hE$FZxQ{ z;ex2?O;7A2owxQ&(w20WdRIKbQxUXKFlc$+A^_;$K_6a>6-J@nls=JL=S`hfsl zw=o4;AEGsU;=^>hG9r>q3+eI<*zpuy3xPXv{)QEl2@q2i7bK%v7SCTvlVkbHU(sp- znw2z_J6@;j1V|CWcz7G#NHIEdc5=kHfHGgLF zK%fpcr@lq=sNp=02ihtchAV)>`{oTM5=%WV|){*9jHr#_`S?9uZ0wnFKc1CqIN zG1UB4w!_i^d5Ip_=YX9a$-Vt1sd>CXb_{y!m>+h?#Lmkbr9)&yCt{7N143id?2yW| zB3U;{`wS>h-q|eWV$AueleaFE5+V$3m-2LPkV2{*18+mSw8IDzRGOVk<+Y0>C*ie= zrFIfI!Ag1JF=?VW0<@~T5xrewvD4Wnq$vbdO^TxC{77-b&`z0hd$+WnKyov3L}`z- zXXI{U2g?Hg1m*?LbCL?f&*H`2f|u26Fud?F2Z9SE4|trioo`z$)f2r2m26#Dng@ZG zWR34!BT=FU+9+(uMi3|0p!e%^=^zAhkj4*3q<1cR%gyW7N#~q!YP4L=o&D0in3Prv z_E%E7B|(p!m1Iph6rNp1q}e-Mp#y(6_y(Sd1>cj3 zj2RsK{GfC`!(@mp$EAMr#{Va&AHx4sri1zsE97TRNC!oOzq5GYFOuERUR1zsVlH&& zrlF($CJ7Q24U{K8lO~z5%~yXZ*$oMH@_Lz_Mwj`ii>n!|TZQ%4V5ru3*h?JmR?Al< ztLF+>kzrYf{%~g&FDYanNJdIf0@dB(cMs-4UUzq}%r!prLPGu$BK9wD$ zhUW87DXWnTDe(+RQ($(Trtm}sJ1Jm<7DCJ=DA0L3o53q*vOWh-)H6je5w`w*RzQqg zVm$0UVylE|_DYe}V1`EI8?OSI0rbS`)?L&}EEY+1YN-G66D^LZd!76?ZiTu^vmtem7K_am9s zl88&m1^@MOXe1N!9LB;Wyg;+_wMFvQX;&hRdzxf7=1yrsDfHf=IHB1o*!k0s%2NcB znRlE-h6=uGReAs8@_2gHVauPCW6qIij)dh_!Km)4V0O3ag7Tz7^3hZ1bFB{2#hMy5!df5#c%v>iogZEkHGR&9@Gb2a{?Jvk4fp6U)$J8s~ z+W(4-T)xqo1?OMJ1NFX&7yGNS8$t!hOo>c^iR^`{XTV z&H#y}HV?0SPySfpp%3LlvU$wmKgv-Ev|u@$SRhguJ}z%IDrR1HLJp$yacdm6)=RJO zARrIAxaSMG19bumU|vL(iuCO+r4Z%x6RgitCs4Kydz4<6>6NO93KCGmRAnn-3|sFb zh=)mv11kwd1OH^K>QhscdT^8|n|XAaQsXqG6;N6gi0K5gYn?dxfodg4BVWp1KKtL4 z)*H>#Be+5d}N~_ldaUh`_KzCuuY@FD~`v#P4*--u#W;CV8l``mm(W>yC zq_T>bJa_ufxQmZJR=OeDpp^3V6N*=W@Q|kRvOga`jWv2Pz|{a_4F-fFGW zE&<)sG?i5ekQMvs%e(UQ-)Mq{~{tBU{wd zs_Dxi5pzS=E_EdYGSiCn>C?2a|Bnw<;IWxP!`>i9*Mt%8j>LL7&O8Kc>>bflB^U-*y{0I}C)CcNJ z#Pbn#CNgati^%90%*2AnR3|JuqE;I8Rl>a=skwI;WX;bO*svrw%0|Ac&=xauP8YO3 z&NNvxi&xu&eckBl_KWjn-*wGeIr)byG{$imX*{4 zH9yl%nt(2kYTm^LHkRtH8(sRT$(W_N(_B0^CvD3$MiHM6je}VF4Au!)NSCA?BHVsc HnjrlTG=^^? From fbe2a95750ace2bc5cac5fed9a562586b4c3e3e9 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Mon, 3 May 2021 13:03:05 -0600 Subject: [PATCH 168/190] Update fastlane --- Gemfile.lock | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/Gemfile.lock b/Gemfile.lock index add11ef7fd73..faf5ac2054ef 100644 --- a/Gemfile.lock +++ b/Gemfile.lock @@ -34,7 +34,7 @@ GEM artifactory (3.0.15) atomos (0.1.3) aws-eventstream (1.1.1) - aws-partitions (1.445.0) + aws-partitions (1.449.0) aws-sdk-core (3.114.0) aws-eventstream (~> 1, >= 1.0.2) aws-partitions (~> 1, >= 1.239.0) @@ -43,7 +43,7 @@ GEM aws-sdk-kms (1.43.0) aws-sdk-core (~> 3, >= 3.112.0) aws-sigv4 (~> 1.1) - aws-sdk-s3 (1.93.1) + aws-sdk-s3 (1.94.0) aws-sdk-core (~> 3, >= 3.112.0) aws-sdk-kms (~> 1) aws-sigv4 (~> 1.1) @@ -109,7 +109,7 @@ GEM escape (0.0.4) ethon (0.12.0) ffi (>= 1.3.0) - excon (0.80.1) + excon (0.81.0) faraday (1.4.1) faraday-excon (~> 1.1) faraday-net_http (~> 1.0) @@ -125,7 +125,7 @@ GEM faraday_middleware (1.0.0) faraday (~> 1.0) fastimage (2.2.3) - fastlane (2.180.1) + fastlane (2.181.0) CFPropertyList (>= 2.3, < 4.0.0) addressable (>= 2.3, < 3.0.0) artifactory (~> 3.0) @@ -214,7 +214,7 @@ GEM google-cloud-core (~> 1.2) googleauth (~> 0.9) mini_mime (~> 1.0) - googleauth (0.16.1) + googleauth (0.16.2) faraday (>= 0.17.3, < 2.0) jwt (>= 1.4, < 3.0) memoist (~> 0.16) @@ -232,7 +232,7 @@ GEM jsonlint (0.3.0) oj (~> 3) optimist (~> 3) - jwt (2.2.2) + jwt (2.2.3) memoist (0.16.2) mini_magick (4.11.0) mini_mime (1.1.0) From 8f379f08148448eece398a5c1f54bc51be8d5367 Mon Sep 17 00:00:00 2001 From: James Frost Date: Thu, 6 May 2021 10:45:13 +0100 Subject: [PATCH 169/190] Reader deep links: Automatically scroll to comment if an anchor is present in URL --- .../Detail/ReaderDetailCoordinator.swift | 13 +++++++ .../Detail/ReaderDetailViewController.swift | 20 +++++++++++ .../Reader/ReaderCommentAction.swift | 3 +- .../Reader/ReaderCommentsViewController.h | 3 ++ .../Reader/ReaderCommentsViewController.m | 34 ++++++++++++++++++- 5 files changed, 71 insertions(+), 2 deletions(-) diff --git a/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailCoordinator.swift b/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailCoordinator.swift index ed7d826ae030..f87d6290a2d5 100644 --- a/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailCoordinator.swift +++ b/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailCoordinator.swift @@ -22,6 +22,19 @@ class ReaderDetailCoordinator { /// A post URL to be loaded and be displayed var postURL: URL? + /// A comment ID used to navigate to a comment + var commentID: Int? { + // Comment fragments have the form #comment-50484 + // If one is present, we'll extract the ID and return it. + if let fragment = postURL?.fragment, + fragment.hasPrefix("comment-"), + let idString = fragment.components(separatedBy: "comment-").last { + return Int(idString) + } + + return nil + } + /// Called if the view controller's post fails to load var postLoadFailureBlock: (() -> Void)? = nil diff --git a/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailViewController.swift b/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailViewController.swift index 040a4d295109..21211af1af4b 100644 --- a/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailViewController.swift +++ b/WordPress/Classes/ViewRelated/Reader/Detail/ReaderDetailViewController.swift @@ -112,6 +112,11 @@ class ReaderDetailViewController: UIViewController, ReaderDetailView { /// Used to disable ineffective buttons when a Related post fails to load. var enableRightBarButtons = true + /// Track whether we've automatically navigated to the comments view or not. + /// This may happen if we initialize our coordinator with a postURL that + /// has a comment anchor fragment. + private var hasAutomaticallyTriggeredCommentAction = false + override func viewDidLoad() { super.viewDidLoad() @@ -220,6 +225,8 @@ class ReaderDetailViewController: UIViewController, ReaderDetailView { featuredImage.load { [weak self] in self?.hideLoading() } + + navigateToCommentIfNecessary() } func renderRelatedPosts(_ posts: [RemoteReaderSimplePost]) { @@ -230,6 +237,19 @@ class ReaderDetailViewController: UIViewController, ReaderDetailView { tableView.invalidateIntrinsicContentSize() } + private func navigateToCommentIfNecessary() { + if let post = post, + let commentID = coordinator?.commentID, + !hasAutomaticallyTriggeredCommentAction { + hasAutomaticallyTriggeredCommentAction = true + + ReaderCommentAction().execute(post: post, + origin: self, + promptToAddComment: false, + navigateToCommentID: commentID) + } + } + /// Show ghost cells indicating the content is loading func showLoading() { let style = GhostStyle(beatDuration: GhostStyle.Defaults.beatDuration, diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderCommentAction.swift b/WordPress/Classes/ViewRelated/Reader/ReaderCommentAction.swift index 1e3ba0841b22..add166d1285e 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderCommentAction.swift +++ b/WordPress/Classes/ViewRelated/Reader/ReaderCommentAction.swift @@ -1,11 +1,12 @@ /// Encapsulates a command to navigate to a post's comments final class ReaderCommentAction { - func execute(post: ReaderPost, origin: UIViewController, promptToAddComment: Bool = false) { + func execute(post: ReaderPost, origin: UIViewController, promptToAddComment: Bool = false, navigateToCommentID: Int? = nil) { guard let postInMainContext = ReaderActionHelpers.postInMainContext(post), let controller = ReaderCommentsViewController(post: postInMainContext) else { return } + controller.navigateToCommentID = navigateToCommentID as NSNumber? controller.promptToAddComment = promptToAddComment origin.navigationController?.pushViewController(controller, animated: true) } diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.h b/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.h index efa6f9fb365a..c15d419e0759 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.h +++ b/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.h @@ -14,4 +14,7 @@ /// Opens the Add Comment when the view appears @property (nonatomic) BOOL promptToAddComment; +/// Navigates to the specified comment when the view appears +@property (nonatomic, strong) NSNumber *navigateToCommentID; + @end diff --git a/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.m b/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.m index 537e80d881f6..c345b5d22c9b 100644 --- a/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.m +++ b/WordPress/Classes/ViewRelated/Reader/ReaderCommentsViewController.m @@ -749,9 +749,9 @@ - (void)refreshTableViewAndNoResultsView [self updateCachedContent]; }]; + [self navigateToCommentIDIfNeeded]; } - - (void)updateCachedContent { NSArray *comments = self.tableViewHandler.resultsController.fetchedObjects; @@ -771,6 +771,37 @@ - (NSAttributedString *)cacheContentForComment:(Comment *)comment return attrStr; } +/// If we've been provided with a comment ID on initialization, then this +/// method locates that comment and scrolls the tableview to display it. +- (void)navigateToCommentIDIfNeeded +{ + if (self.navigateToCommentID != nil) { + // Find the comment if it exists + NSArray *comments = [self.tableViewHandler.resultsController fetchedObjects]; + NSArray *filteredComments = [comments filteredArrayUsingPredicate:[NSPredicate predicateWithFormat:@"commentID == %@", self.navigateToCommentID]]; + Comment *comment = [filteredComments firstObject]; + + if (!comment) { + return; + } + + NSIndexPath *indexPath = [self.tableViewHandler.resultsController indexPathForObject:comment]; + + // Dispatch to ensure the tableview has reloaded before we scroll + dispatch_after(dispatch_time(DISPATCH_TIME_NOW, 0.1 * NSEC_PER_SEC), dispatch_get_main_queue(), ^{ + [self.tableView scrollToRowAtIndexPath:indexPath atScrollPosition:UITableViewScrollPositionTop animated:YES]; + // Yes, calling this twice is horrible. + // Our row heights are dynamically calculated, and the first time we perform a scroll it + // seems that we may end up in slightly the wrong position. + // If we then immediately scroll again, everything has been laid out, and we should end up + // at the correct row. @frosty 2021-05-06 + [self.tableView scrollToRowAtIndexPath:indexPath atScrollPosition:UITableViewScrollPositionTop animated:YES ]; + }); + + // Reset the commentID so we don't do this again. + self.navigateToCommentID = nil; + } +} #pragma mark - Actions @@ -869,6 +900,7 @@ - (void)syncContentEnded:(WPContentSyncHelper *)syncHelper self.needsRefreshTableViewAfterScrolling = YES; return; } + [self refreshTableViewAndNoResultsView]; } From 6d7b13b947a5a044d727d38fe62a95c71e965212 Mon Sep 17 00:00:00 2001 From: James Frost Date: Thu, 6 May 2021 11:14:26 +0100 Subject: [PATCH 170/190] Test comment ID extraction --- .../WordPressTest/ReaderDetailCoordinatorTests.swift | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/WordPress/WordPressTest/ReaderDetailCoordinatorTests.swift b/WordPress/WordPressTest/ReaderDetailCoordinatorTests.swift index be29fd72aa67..ea56d9c55790 100644 --- a/WordPress/WordPressTest/ReaderDetailCoordinatorTests.swift +++ b/WordPress/WordPressTest/ReaderDetailCoordinatorTests.swift @@ -237,6 +237,16 @@ class ReaderDetailCoordinatorTests: XCTestCase { expect(viewMock.didCallScrollToWith).to(equal("hash")) } + + func testExtractCommentIDFromPostURL() { + let postURL = URL(string: "https://example.wordpress.com/2014/07/24/post-title/#comment-10") + let serviceMock = ReaderPostServiceMock() + let viewMock = ReaderDetailViewMock() + let coordinator = ReaderDetailCoordinator(service: serviceMock, view: viewMock) + coordinator.postURL = postURL + + expect(coordinator.commentID).to(equal(10)) + } } private class ReaderPostServiceMock: ReaderPostService { From 6ebf437e1e559ec77730332b7ff0aaa5ec42eaa0 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 7 May 2021 09:54:29 -0600 Subject: [PATCH 171/190] Add 17.3 release notes --- WordPress/Resources/release_notes.txt | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/WordPress/Resources/release_notes.txt b/WordPress/Resources/release_notes.txt index 1e72e20abd51..e95234bc8278 100644 --- a/WordPress/Resources/release_notes.txt +++ b/WordPress/Resources/release_notes.txt @@ -1,3 +1,7 @@ -This version introduces a new block – Jetpack contact info. It's perfect for displaying a nicely formatted address on your site. We've also introduced some spiffy new app icons you can use to customize how the app looks on your home screen. +What’s new in WordPress release 17.3: -We've got some nifty tweaks to tell you about! We've removed the site switcher from the editor to simplify posting, fixed a bug where author names weren't visible, improved VoiceOver support for the columns block, and made it easier to add alt text to an image block. \ No newline at end of file +New block alert! With the Search block, you can now add a search function onto any page or post on your site. We’ve also simplified the process for inserting media while using the Image, Video, Gallery, File, and Audio blocks. + +We addressed a few issues where your post content was not behaving as expected! Unwanted posts, for example, were sometimes converting into Classic content. This unexpected behavior occurred when deleting a post and then selecting Undo, and also when trashing a post. We also fixed an issue where your restored posts remained in your list of published posts even though they had been converted to drafts. (Apparently, sometimes your posts have minds of their own!) We’re pleased to say that all these issues have been fixed. + +Overall, the team kept busy for this release, and we made various other improvements, including a styling fix on the Change Username page so people would no longer be stuck on the screen, and updating the comments experience so you can filter them to show the most recent unreplied comments from other users. We also squashed several translation bugs on various screens, and tweaked colors in the app where necessary. \ No newline at end of file From 71938dade22e06df9bb62db61f20dd30c36ef8a7 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 7 May 2021 09:54:45 -0600 Subject: [PATCH 172/190] Update metadata strings --- WordPress/Resources/AppStoreStrings.po | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/WordPress/Resources/AppStoreStrings.po b/WordPress/Resources/AppStoreStrings.po index 87a47505e193..142b6d58ce22 100644 --- a/WordPress/Resources/AppStoreStrings.po +++ b/WordPress/Resources/AppStoreStrings.po @@ -15,7 +15,8 @@ msgstr "" #. translators: Subtitle to be displayed below the application name in the Apple App Store. Limit to 30 characters including spaces and commas! msgctxt "app_store_subtitle" -msgid "Build a website or blog" +msgid "Build a website or blog +" msgstr "" #. translators: Multi-paragraph text used to display in the Apple App Store. @@ -40,11 +41,15 @@ msgctxt "app_store_keywords" msgid "social,notes,jetpack,writing,geotagging,media,blog,website,blogging,journal" msgstr "" -msgctxt "v17.2-whats-new" +msgctxt "v17.3-whats-new" msgid "" -"This version introduces a new block – Jetpack contact info. It's perfect for displaying a nicely formatted address on your site. We've also introduced some spiffy new app icons you can use to customize how the app looks on your home screen.\n" +"What’s new in WordPress release 17.3:\n" "\n" -"We've got some nifty tweaks to tell you about! We've removed the site switcher from the editor to simplify posting, fixed a bug where author names weren't visible, improved VoiceOver support for the columns block, and made it easier to add alt text to an image block.\n" +"New block alert! With the Search block, you can now add a search function onto any page or post on your site. We’ve also simplified the process for inserting media while using the Image, Video, Gallery, File, and Audio blocks.\n" +"\n" +"We addressed a few issues where your post content was not behaving as expected! Unwanted posts, for example, were sometimes converting into Classic content. This unexpected behavior occurred when deleting a post and then selecting Undo, and also when trashing a post. We also fixed an issue where your restored posts remained in your list of published posts even though they had been converted to drafts. (Apparently, sometimes your posts have minds of their own!) We’re pleased to say that all these issues have been fixed.\n" +"\n" +"Overall, the team kept busy for this release, and we made various other improvements, including a styling fix on the Change Username page so people would no longer be stuck on the screen, and updating the comments experience so you can filter them to show the most recent unreplied comments from other users. We also squashed several translation bugs on various screens, and tweaked colors in the app where necessary.\n" msgstr "" #. translators: This is a standard chunk of text used to tell a user what's new with a release when nothing major has changed. From dfec625575388b039624ed8766e44fab8e926ab6 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 7 May 2021 10:00:47 -0600 Subject: [PATCH 173/190] Update metadata translations --- fastlane/metadata/ar-SA/release_notes.txt | 3 --- fastlane/metadata/de-DE/release_notes.txt | 3 --- fastlane/metadata/default/release_notes.txt | 3 --- fastlane/metadata/en-GB/release_notes.txt | 3 --- fastlane/metadata/en-US/release_notes.txt | 3 --- fastlane/metadata/es-ES/release_notes.txt | 3 --- fastlane/metadata/es-MX/release_notes.txt | 3 --- fastlane/metadata/fr-FR/release_notes.txt | 3 --- fastlane/metadata/id/release_notes.txt | 3 --- fastlane/metadata/it/release_notes.txt | 3 --- fastlane/metadata/ja/release_notes.txt | 3 --- fastlane/metadata/ko/release_notes.txt | 3 --- fastlane/metadata/nl-NL/release_notes.txt | 3 --- fastlane/metadata/pt-BR/keywords.txt | 2 +- fastlane/metadata/pt-BR/subtitle.txt | 2 +- fastlane/metadata/ru/release_notes.txt | 3 --- fastlane/metadata/sv/release_notes.txt | 3 --- fastlane/metadata/tr/release_notes.txt | 3 --- fastlane/metadata/zh-Hans/release_notes.txt | 3 --- fastlane/metadata/zh-Hant/release_notes.txt | 3 --- 20 files changed, 2 insertions(+), 56 deletions(-) delete mode 100644 fastlane/metadata/ar-SA/release_notes.txt delete mode 100644 fastlane/metadata/de-DE/release_notes.txt delete mode 100644 fastlane/metadata/default/release_notes.txt delete mode 100644 fastlane/metadata/en-GB/release_notes.txt delete mode 100644 fastlane/metadata/en-US/release_notes.txt delete mode 100644 fastlane/metadata/es-ES/release_notes.txt delete mode 100644 fastlane/metadata/es-MX/release_notes.txt delete mode 100644 fastlane/metadata/fr-FR/release_notes.txt delete mode 100644 fastlane/metadata/id/release_notes.txt delete mode 100644 fastlane/metadata/it/release_notes.txt delete mode 100644 fastlane/metadata/ja/release_notes.txt delete mode 100644 fastlane/metadata/ko/release_notes.txt delete mode 100644 fastlane/metadata/nl-NL/release_notes.txt delete mode 100644 fastlane/metadata/ru/release_notes.txt delete mode 100644 fastlane/metadata/sv/release_notes.txt delete mode 100644 fastlane/metadata/tr/release_notes.txt delete mode 100644 fastlane/metadata/zh-Hans/release_notes.txt delete mode 100644 fastlane/metadata/zh-Hant/release_notes.txt diff --git a/fastlane/metadata/ar-SA/release_notes.txt b/fastlane/metadata/ar-SA/release_notes.txt deleted file mode 100644 index 729f2e00fb74..000000000000 --- a/fastlane/metadata/ar-SA/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -يقدم هذا الإصدار مكوّن جديد - معلومات الاتصال Jetpack contact info. إنه مثالي لعرض عنوان منسق بشكل جيد على موقعك. لقد قدمنا أيضًا بعض أيقونات التطبيق الجديدة الأنيقة التي يمكنك استخدامها لتخصيص مظهر التطبيق على شاشتك الرئيسية. - -لدينا بعض التعديلات الرائعة لنخبرك عنها! لقد قمنا بإزالة محوّل الموقع من المحرر لتبسيط عملية النشر، وإصلاح الخلل حيث لم تكن أسماء الكتّاب أو المؤلفين مرئية، وتحسين دعم VoiceOver لمكوّن الأعمدة، وجعل من السهل إضافة نص بديل إلى مكوّن صورة. diff --git a/fastlane/metadata/de-DE/release_notes.txt b/fastlane/metadata/de-DE/release_notes.txt deleted file mode 100644 index 414dab1293c4..000000000000 --- a/fastlane/metadata/de-DE/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -In dieser Version wird ein neuer Block vorgestellt – Jetpack Kontaktinfo. Er eignet sich hervorragend, um formatierte Adressen auf deiner Website sauber anzuzeigen. Außerdem haben wir ein paar schicke neue App-Icons eingeführt, mit denen du den Look der App auf deiner Startseite individuell gestalten kannst. - -Wir haben ein paar raffinierte Änderungen vorgenommen! Wir haben den Website-Schnellzugriff vom Editor entfernt, damit du deine Beiträge einfacher posten kannst, und den Fehler behoben, der dazu führte, dass die Namen der Autoren nicht angezeigt wurden. Außerdem haben wir die VoiceOver-Unterstützung für den Spaltenblock verbessert und dafür gesorgt, dass Alt-Text jetzt leichter zu einem Bildblock hinzugefügt werden kann. diff --git a/fastlane/metadata/default/release_notes.txt b/fastlane/metadata/default/release_notes.txt deleted file mode 100644 index a78c84e213ed..000000000000 --- a/fastlane/metadata/default/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -This version introduces a new block – Jetpack contact info. It's perfect for displaying a nicely formatted address on your site. We've also introduced some spiffy new app icons you can use to customize how the app looks on your home screen. - -We've got some nifty tweaks to tell you about! We've removed the site switcher from the editor to simplify posting, fixed a bug where author names weren't visible, improved VoiceOver support for the columns block, and made it easier to add alt text to an image block. diff --git a/fastlane/metadata/en-GB/release_notes.txt b/fastlane/metadata/en-GB/release_notes.txt deleted file mode 100644 index 5606b4b0c8d3..000000000000 --- a/fastlane/metadata/en-GB/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -This version introduces a new block – Jetpack contact info. It's perfect for displaying a nicely formatted address on your site. We've also introduced some spiffy new app icons you can use to customise how the app looks on your home screen. - -We've got some nifty tweaks to tell you about! We've removed the site switcher from the editor to simplify posting, fixed a bug where author names weren't visible, improved VoiceOver support for the columns block, and made it easier to add alt text to an image block. diff --git a/fastlane/metadata/en-US/release_notes.txt b/fastlane/metadata/en-US/release_notes.txt deleted file mode 100644 index a78c84e213ed..000000000000 --- a/fastlane/metadata/en-US/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -This version introduces a new block – Jetpack contact info. It's perfect for displaying a nicely formatted address on your site. We've also introduced some spiffy new app icons you can use to customize how the app looks on your home screen. - -We've got some nifty tweaks to tell you about! We've removed the site switcher from the editor to simplify posting, fixed a bug where author names weren't visible, improved VoiceOver support for the columns block, and made it easier to add alt text to an image block. diff --git a/fastlane/metadata/es-ES/release_notes.txt b/fastlane/metadata/es-ES/release_notes.txt deleted file mode 100644 index 73cd6cd16f9a..000000000000 --- a/fastlane/metadata/es-ES/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Esta versión introduce un nuevo bloque: Información de contacto de Jetpack. Es perfecto para mostrar una dirección bien formada en tu sitio. También hemos introducido unos nuevos y elegantes iconos de aplicación que puedes usar para personalizar el aspecto de la aplicación en tu pantalla de inicio. - -¡Tenemos que contarte algunos retoques ingeniosos! Hemos eliminado el conmutador de sitios del editor para simplificar la publicación, corregido un fallo por el que los nombres de los autores no eran visibles, mejorado la compatibilidad con VoiceOver para el bloque de columnas y hemos hecho más fácil añadir de texto alternativo a un bloque de imágenes. diff --git a/fastlane/metadata/es-MX/release_notes.txt b/fastlane/metadata/es-MX/release_notes.txt deleted file mode 100644 index 73cd6cd16f9a..000000000000 --- a/fastlane/metadata/es-MX/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Esta versión introduce un nuevo bloque: Información de contacto de Jetpack. Es perfecto para mostrar una dirección bien formada en tu sitio. También hemos introducido unos nuevos y elegantes iconos de aplicación que puedes usar para personalizar el aspecto de la aplicación en tu pantalla de inicio. - -¡Tenemos que contarte algunos retoques ingeniosos! Hemos eliminado el conmutador de sitios del editor para simplificar la publicación, corregido un fallo por el que los nombres de los autores no eran visibles, mejorado la compatibilidad con VoiceOver para el bloque de columnas y hemos hecho más fácil añadir de texto alternativo a un bloque de imágenes. diff --git a/fastlane/metadata/fr-FR/release_notes.txt b/fastlane/metadata/fr-FR/release_notes.txt deleted file mode 100644 index b56385e95213..000000000000 --- a/fastlane/metadata/fr-FR/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Un nouveau bloc est disponible avec cette version : les coordonnées Jetpack. It's perfect for displaying a nicely formatted address on your site. We've also introduced some spiffy new app icons you can use to customize how the app looks on your home screen. - -We've got some nifty tweaks to tell you about ! We've removed the site switcher from the editor to simplify posting, fixed a bug where author names weren't visible, improved VoiceOver support for the columns block, and made it easier to add alt text to an image block. diff --git a/fastlane/metadata/id/release_notes.txt b/fastlane/metadata/id/release_notes.txt deleted file mode 100644 index 7fe211bf6997..000000000000 --- a/fastlane/metadata/id/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Versi ini memperkenalkan blok baru – info kontak Jetpack. Ini sangat sempurna untuk menampilkan alamat terformat rapi di situs Anda. Kami juga memperkenalkan beberapa ikon aplikasi baru yang menarik yang dapat Anda gunakan untuk menyesuaikan tampilan aplikasi pada layar beranda Anda. - -Kami ingin menginformasikan sejumlah perubahan yang bagus! Kami menghapus pengalih situs dari editor untuk menyederhanakan penerbitan pos, memperbaiki bug yang membuat nama penulis tidak terlihat, meningkatkan dukungan VoiceOver untuk blok kolom, dan mempermudah penambahan teks alt ke blok gambar. diff --git a/fastlane/metadata/it/release_notes.txt b/fastlane/metadata/it/release_notes.txt deleted file mode 100644 index 36bb55c2cdf7..000000000000 --- a/fastlane/metadata/it/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Questa versione introduce un nuovo blocco: Informazioni di contatto di Jetpack. È perfetto per la visualizzazione di un indirizzo formattato in modo corretto sul tuo sito. Abbiamo anche introdotto nuove splendide icone delle app che puoi usare per personalizzare il modo in cui appare l'app sulla schermata principale. - -Abbiamo alcune modifiche ingegnose di cui parlarti. Abbiamo rimosso il pulsante per cambiare sito dall'editor per semplificare la pubblicazione, risolto un bug che comportava l'invisibilità dei nomi degli autori, migliorato il supporto di VoiceOver per il blocco Colonne e reso semplice aggiungere il testo alternativo a un blocco Immagine. diff --git a/fastlane/metadata/ja/release_notes.txt b/fastlane/metadata/ja/release_notes.txt deleted file mode 100644 index f645d4c9387c..000000000000 --- a/fastlane/metadata/ja/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -今回のバージョンでは Jetpack 連絡先情報という新しいブロックが導入されています。 形式が適切に整えられた住所をサイトに表示するのに最適なブロックです。 ホーム画面におけるアプリの見た目をカスタマイズするのに使える、魅力的な新しいアプリアイコンもいくつか追加されています。 - -今回のバージョンでは機能の改善やバグの修正も実施されています。 エディターからサイトスイッチャーを削除し、簡単に投稿できるようにしました。また、投稿者名が表示されないバグを修正し、列ブロックの VoiceOver サポートを改善して、画像ブロックに代替テキストを簡単に追加できるようにしました。 diff --git a/fastlane/metadata/ko/release_notes.txt b/fastlane/metadata/ko/release_notes.txt deleted file mode 100644 index 6b02abdd1936..000000000000 --- a/fastlane/metadata/ko/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -이 버전에서는 젯팩 연락처라는 새 블록이 도입됩니다. 멋지게 형식을 지정한 사이트의 주소가 완벽하게 표시됩니다. 홈 화면의 앱 모양을 사용자 정의하는 데 사용할 수 있는 몇 가지 멋진 새 앱 아이콘도 도입했습니다. - -알려드릴 몇 가지 멋진 조정사항이 있습니다! 편집기에서 사이트 전환기를 제거하여 발행을 간소화하고, 글쓴이 이름이 보이지 않았던 버그를 수정하고, 열 블록에 대한 보이스오버 지원을 개선하고, 대체 텍스트를 더 쉽게 이미지 블록에 추가하도록 만들었습니다. diff --git a/fastlane/metadata/nl-NL/release_notes.txt b/fastlane/metadata/nl-NL/release_notes.txt deleted file mode 100644 index 355bc7a61adc..000000000000 --- a/fastlane/metadata/nl-NL/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Deze versie introduceert een nieuw blok - Jetpack contact info. Het is perfect om een mooi opgemaakt adres op je site weer te geven. We hebben ook een aantal nieuwe app pictogrammen geïntroduceerd die je kunt gebruiken om aan te passen hoe de app eruitziet op je startscherm. - -We hebben een paar handige aanpassingen om je over te vertellen! We hebben de site wisselaar uit de editor verwijderd om het plaatsen te vereenvoudigen, een bug opgelost waarbij de namen van auteurs niet zichtbaar waren, de VoiceOver ondersteuning voor het kolommenblok verbeterd en het gemakkelijker gemaakt om alt-tekst aan een afbeeldingsblok toe te voegen. diff --git a/fastlane/metadata/pt-BR/keywords.txt b/fastlane/metadata/pt-BR/keywords.txt index 88a0fe8c53e0..f2276671df81 100644 --- a/fastlane/metadata/pt-BR/keywords.txt +++ b/fastlane/metadata/pt-BR/keywords.txt @@ -1 +1 @@ -social,network,notas,jetpack,fotos,escrita,geotagging,mídia,blog,wordpress,site,blog,design +social,notas,jetpack,escrever,geotag,mídia,blog,site,blogar,diário \ No newline at end of file diff --git a/fastlane/metadata/pt-BR/subtitle.txt b/fastlane/metadata/pt-BR/subtitle.txt index 7b9570322d39..64201926fdcc 100644 --- a/fastlane/metadata/pt-BR/subtitle.txt +++ b/fastlane/metadata/pt-BR/subtitle.txt @@ -1 +1 @@ -Publique em qualquer lugar \ No newline at end of file +Crie um site ou blog \ No newline at end of file diff --git a/fastlane/metadata/ru/release_notes.txt b/fastlane/metadata/ru/release_notes.txt deleted file mode 100644 index 20a4f32c221a..000000000000 --- a/fastlane/metadata/ru/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -В этой версии появился новый блок - контактная информация Jetpack. Он идеально подходит для отображения красиво отформатированного адреса на вашем сайте. Мы также представили несколько стильных новых значков приложений, которые вы можете использовать, чтобы настроить внешний вид приложения на главном экране. - -У нас есть несколько отличных настроек, о которых мы можем вам рассказать! Мы удалили переключатель сайтов из редактора, чтобы упростить публикацию, исправили ошибку, из-за которой имена авторов не были видны, улучшили поддержку VoiceOver для блока столбцов и упростили добавление текста alt в блок изображения. diff --git a/fastlane/metadata/sv/release_notes.txt b/fastlane/metadata/sv/release_notes.txt deleted file mode 100644 index 1108c33a5b3d..000000000000 --- a/fastlane/metadata/sv/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Med denna version lanseras ett nytt block – Jetpack kontaktinformation, som passar perfekt för att visa en snyggt formaterad adress på webbplatsen. Vi har även lagt till flera stycken tjusiga app-ikoner som du kan använda för att anpassa appens utseende på din startskärm. - -Sen har vi några stiliga mindre ändringar att berätta om. Vi har gjort det enklare att publicera ett nytt inlägg genom att vi tagit bort webbplatsväljaren i redigeringsvyn, rättat ett fel där författarens namn ibland inte visades, förbättrat stödet för VoiceOver i kolumnblocket, och gjort det enklare att lägga in långa alt-texter i bildblocket. diff --git a/fastlane/metadata/tr/release_notes.txt b/fastlane/metadata/tr/release_notes.txt deleted file mode 100644 index 50e25c818fdf..000000000000 --- a/fastlane/metadata/tr/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -Bu sürümde yeni bir blok sunuyoruz - Jetpack iletişim bilgisi. Sitenizde güzel biçimlendirilmiş bir adres görüntülemek için mükemmeldir. Ayrıca uygulamanın ana ekranınızda görünümünü özelleştirmek için kullanabileceğiniz bazı şık yeni uygulama simgeleri de ekledik. - -Size söylememiz gereken bazı şık ince ayarlarımız var. Gönderimi kolaylaştırmak için site değiştiriciyi düzenleyiciden kaldırdık, yazar adlarının görünmesini engelleyen bir hatayı düzelttik, sütun bloku için VoiceOver desteğini iyileştirdik ve bir resim blokuna alternatif metin eklemeyi kolaylaştırdık. diff --git a/fastlane/metadata/zh-Hans/release_notes.txt b/fastlane/metadata/zh-Hans/release_notes.txt deleted file mode 100644 index a19e06c24886..000000000000 --- a/fastlane/metadata/zh-Hans/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -此版本引入了一个新的区块- Jetpack联系信息。能在您的网站上显示格式良好的地址。我们还引入了一些新的应用图标,可以用来定制应用程序在您的主屏幕上的图标外观。 - -我们还有一些有趣的调整要告诉您! 我们从编辑器中删除了站点切换器,以简化发布,修复了一个作者名不可见的错误,改进了对列区块的VoiceOver支持使其更容易为图像区块添加alt文字。 diff --git a/fastlane/metadata/zh-Hant/release_notes.txt b/fastlane/metadata/zh-Hant/release_notes.txt deleted file mode 100644 index d2a2160f5f7f..000000000000 --- a/fastlane/metadata/zh-Hant/release_notes.txt +++ /dev/null @@ -1,3 +0,0 @@ -此版本推出新的區塊 – Jetpack 聯絡資訊。 該區塊能在你的網站上以正確格式顯示地址。 我們也為應用程式推出一些精美的新圖示,讓你在主畫面上自訂應用程式的外觀。 - -告訴你一些有趣的調整! 為了簡化張貼流程,我們已從編輯器移除網站切換器;另外我們也修正看不到作者姓名的錯誤,改善為內容欄區塊提供的 VoiceOver 支援,現在在圖片區塊新增替代文字也變得更簡單。 From ab2f48806ac985e04888666ca0d6ac7da3ffc6b3 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 7 May 2021 10:00:52 -0600 Subject: [PATCH 174/190] Bump version number --- config/Version.internal.xcconfig | 2 +- config/Version.public.xcconfig | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/config/Version.internal.xcconfig b/config/Version.internal.xcconfig index 90e66c9e81ff..4176d9d89810 100644 --- a/config/Version.internal.xcconfig +++ b/config/Version.internal.xcconfig @@ -1,4 +1,4 @@ VERSION_SHORT=17.3 // Internal long version example: VERSION_LONG=9.9.0.20180423 -VERSION_LONG=17.3.0.20210503 +VERSION_LONG=17.3.0.20210507 diff --git a/config/Version.public.xcconfig b/config/Version.public.xcconfig index ea3ebcc6d3e0..fb0ed36dda62 100644 --- a/config/Version.public.xcconfig +++ b/config/Version.public.xcconfig @@ -1,4 +1,4 @@ VERSION_SHORT=17.3 // Public long version example: VERSION_LONG=9.9.0.0 -VERSION_LONG=17.3.0.0 +VERSION_LONG=17.3.0.1 From c1f8c4cfbe8ec6b1ff6e225cc30fce98e9f33465 Mon Sep 17 00:00:00 2001 From: Carlos Garcia Date: Fri, 7 May 2021 20:19:03 +0200 Subject: [PATCH 175/190] Release script: Update gutenberg-mobile ref --- Podfile | 2 +- Podfile.lock | 176 +++++++++++++++++++++++++-------------------------- 2 files changed, 89 insertions(+), 89 deletions(-) diff --git a/Podfile b/Podfile index 0bf8064fb1f0..92e0b1601ce9 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :tag => 'v1.52.0' + gutenberg :commit => 'e95b5144cf4cd6d9566f3b6f484f14754ce32f48' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index 613a7d3b0963..807724dd7d04 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -69,7 +69,7 @@ PODS: - AppAuth/Core (~> 1.4) - GTMSessionFetcher/Core (~> 1.5) - GTMSessionFetcher/Core (1.5.0) - - Gutenberg (1.52.0): + - Gutenberg (1.52.1): - React (= 0.61.5) - React-CoreModules (= 0.61.5) - React-RCTImage (= 0.61.5) @@ -376,7 +376,7 @@ PODS: - React - RNSVG (9.13.6-gb): - React - - RNTAztecView (1.52.0): + - RNTAztecView (1.52.1): - React-Core - WordPress-Aztec-iOS (~> 1.19.4) - Sentry (6.2.1): @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.0`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `e95b5144cf4cd6d9566f3b6f484f14754ce32f48`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.0`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `e95b5144cf4cd6d9566f3b6f484f14754ce32f48`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,105 +567,105 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/glog.podspec.json Gutenberg: + :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.0 RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNSVG.podspec.json RNTAztecView: + :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.0 Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.0/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: + :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.0 RNTAztecView: + :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.0 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -693,7 +693,7 @@ SPEC CHECKSUMS: Gridicons: 17d660b97ce4231d582101b02f8280628b141c9a GTMAppAuth: 5b53231ef6920f149ab84b2969cb0ab572da3077 GTMSessionFetcher: b3503b20a988c4e20cc189aa798fd18220133f52 - Gutenberg: 1a6c725ed8e5d2de101d367212532801814d65b7 + Gutenberg: a4a9798242faf6ef2157f19e622e15401518dfc8 JTAppleCalendar: 932cadea40b1051beab10f67843451d48ba16c99 Kanvas: 828033a062a8df8bd73e6efd1a09ac438ead4b41 lottie-ios: 3a3758ef5a008e762faec9c9d50a39842f26d124 @@ -738,7 +738,7 @@ SPEC CHECKSUMS: RNReanimated: 13f7a6a22667c4f00aac217bc66f94e8560b3d59 RNScreens: 6833ac5c29cf2f03eed12103140530bbd75b6aea RNSVG: 68a534a5db06dcbdaebfd5079349191598caef7b - RNTAztecView: 3a102797c46a9f3f984a20eb903829ec0433e697 + RNTAztecView: 8f87f4873612368fe0451c9b79e8df21bb1a97b5 Sentry: 9b922b396b0e0bca8516a10e36b0ea3ebea5faf7 Sodium: 23d11554ecd556196d313cf6130d406dfe7ac6da Starscream: ef3ece99d765eeccb67de105bfa143f929026cf5 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 969b56afb3d1417d365819ff405243ba0c0fc29a +PODFILE CHECKSUM: 494c4001e0a9752267871abec5b4e90fa1a6f1db -COCOAPODS: 1.10.0 +COCOAPODS: 1.10.1 From 069df37f0178ff60850529964c3a1d75c0c55736 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 7 May 2021 12:29:19 -0600 Subject: [PATCH 176/190] Update Localizations --- .../Resources/ar.lproj/Localizable.strings | 1699 +++++++++++++- .../Resources/bg.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/cs.lproj/Localizable.strings | 1705 +++++++++++++- .../Resources/cy.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/da.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/de.lproj/Localizable.strings | 1703 +++++++++++++- .../Resources/en-AU.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/en-CA.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/en-GB.lproj/Localizable.strings | 1699 +++++++++++++- .../Resources/es.lproj/Localizable.strings | 1705 +++++++++++++- .../Resources/fr.lproj/Localizable.strings | 1705 +++++++++++++- .../Resources/he.lproj/Localizable.strings | 1703 +++++++++++++- .../Resources/hr.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/hu.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/id.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/is.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/it.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/ja.lproj/Localizable.strings | 1791 +++++++++++++-- .../Resources/ko.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/nb.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/nl.lproj/Localizable.strings | 1699 +++++++++++++- .../Resources/pl.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/pt-BR.lproj/Localizable.strings | 1979 +++++++++++++++-- .../Resources/pt.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/ro.lproj/Localizable.strings | 1711 +++++++++++++- .../Resources/ru.lproj/Localizable.strings | 1711 +++++++++++++- .../Resources/sk.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/sq.lproj/Localizable.strings | 1759 ++++++++++++++- .../Resources/sv.lproj/Localizable.strings | 1699 +++++++++++++- .../Resources/th.lproj/Localizable.strings | 1697 +++++++++++++- .../Resources/tr.lproj/Localizable.strings | 1697 +++++++++++++- .../zh-Hans.lproj/Localizable.strings | 1699 +++++++++++++- .../zh-Hant.lproj/Localizable.strings | 1697 +++++++++++++- .../ar.lproj/Localizable.strings | Bin 4067 -> 4067 bytes .../bg.lproj/Localizable.strings | Bin 3189 -> 3189 bytes .../cs.lproj/Localizable.strings | Bin 4264 -> 4264 bytes .../cy.lproj/Localizable.strings | Bin 2837 -> 2837 bytes .../da.lproj/Localizable.strings | Bin 2830 -> 2830 bytes .../de.lproj/Localizable.strings | Bin 4485 -> 4485 bytes .../en-AU.lproj/Localizable.strings | Bin 2674 -> 2674 bytes .../en-CA.lproj/Localizable.strings | Bin 2740 -> 2740 bytes .../en-GB.lproj/Localizable.strings | Bin 2682 -> 2682 bytes .../es.lproj/Localizable.strings | Bin 3507 -> 3507 bytes .../fr.lproj/Localizable.strings | Bin 4687 -> 4687 bytes .../he.lproj/Localizable.strings | Bin 3994 -> 3994 bytes .../hr.lproj/Localizable.strings | Bin 2845 -> 2845 bytes .../hu.lproj/Localizable.strings | Bin 2914 -> 2914 bytes .../id.lproj/Localizable.strings | Bin 3018 -> 3018 bytes .../is.lproj/Localizable.strings | Bin 3005 -> 3005 bytes .../it.lproj/Localizable.strings | Bin 3444 -> 3444 bytes .../ja.lproj/Localizable.strings | Bin 3204 -> 3194 bytes .../ko.lproj/Localizable.strings | Bin 3056 -> 3056 bytes .../nb.lproj/Localizable.strings | Bin 3442 -> 3442 bytes .../nl.lproj/Localizable.strings | Bin 3350 -> 3350 bytes .../pl.lproj/Localizable.strings | Bin 2795 -> 2795 bytes .../pt-BR.lproj/Localizable.strings | Bin 3960 -> 3960 bytes .../pt.lproj/Localizable.strings | Bin 3314 -> 3314 bytes .../ro.lproj/Localizable.strings | Bin 4337 -> 4337 bytes .../ru.lproj/Localizable.strings | Bin 4532 -> 4532 bytes .../sk.lproj/Localizable.strings | Bin 4484 -> 4484 bytes .../sq.lproj/Localizable.strings | Bin 4377 -> 4377 bytes .../sv.lproj/Localizable.strings | Bin 4499 -> 4499 bytes .../th.lproj/Localizable.strings | Bin 2918 -> 2918 bytes .../tr.lproj/Localizable.strings | Bin 4260 -> 4260 bytes .../zh-Hans.lproj/Localizable.strings | Bin 2712 -> 2712 bytes .../zh-Hant.lproj/Localizable.strings | Bin 2694 -> 2694 bytes .../ar.lproj/Localizable.strings | Bin 146 -> 146 bytes .../bg.lproj/Localizable.strings | Bin 174 -> 174 bytes .../cs.lproj/Localizable.strings | Bin 176 -> 176 bytes .../cy.lproj/Localizable.strings | Bin 118 -> 118 bytes .../da.lproj/Localizable.strings | Bin 128 -> 128 bytes .../de.lproj/Localizable.strings | Bin 139 -> 139 bytes .../en-AU.lproj/Localizable.strings | Bin 84 -> 84 bytes .../en-CA.lproj/Localizable.strings | Bin 84 -> 84 bytes .../en-GB.lproj/Localizable.strings | Bin 84 -> 84 bytes .../es.lproj/Localizable.strings | Bin 128 -> 128 bytes .../fr.lproj/Localizable.strings | Bin 129 -> 129 bytes .../he.lproj/Localizable.strings | Bin 150 -> 150 bytes .../hr.lproj/Localizable.strings | Bin 119 -> 119 bytes .../hu.lproj/Localizable.strings | Bin 160 -> 160 bytes .../id.lproj/Localizable.strings | Bin 134 -> 134 bytes .../is.lproj/Localizable.strings | Bin 138 -> 138 bytes .../it.lproj/Localizable.strings | Bin 120 -> 120 bytes .../ja.lproj/Localizable.strings | Bin 118 -> 118 bytes .../ko.lproj/Localizable.strings | Bin 110 -> 110 bytes .../nb.lproj/Localizable.strings | Bin 133 -> 133 bytes .../nl.lproj/Localizable.strings | Bin 130 -> 130 bytes .../pl.lproj/Localizable.strings | Bin 96 -> 96 bytes .../pt-BR.lproj/Localizable.strings | Bin 158 -> 158 bytes .../pt.lproj/Localizable.strings | Bin 156 -> 156 bytes .../ro.lproj/Localizable.strings | Bin 148 -> 148 bytes .../ru.lproj/Localizable.strings | Bin 166 -> 166 bytes .../sk.lproj/Localizable.strings | Bin 140 -> 140 bytes .../sq.lproj/Localizable.strings | Bin 134 -> 134 bytes .../sv.lproj/Localizable.strings | Bin 146 -> 146 bytes .../th.lproj/Localizable.strings | Bin 154 -> 154 bytes .../tr.lproj/Localizable.strings | Bin 170 -> 170 bytes .../zh-Hans.lproj/Localizable.strings | Bin 110 -> 110 bytes .../zh-Hant.lproj/Localizable.strings | Bin 112 -> 112 bytes 99 files changed, 53551 insertions(+), 2962 deletions(-) diff --git a/WordPress/Resources/ar.lproj/Localizable.strings b/WordPress/Resources/ar.lproj/Localizable.strings index a8f65b229e80..575f2edd5234 100644 --- a/WordPress/Resources/ar.lproj/Localizable.strings +++ b/WordPress/Resources/ar.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-22 19:40:44+0000 */ +/* Translation-Revision-Date: 2021-05-05 03:22:45+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/3.0.0-alpha.2 */ /* Language: ar */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "⁦%1$d⁩ من المقالات التي لم يتم الاطلاع عليها"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "تم تحويل %1$s إلى %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s - %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li كلمات، %2$li أحرف"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s خيارات المكوِّن"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "مكوِّن %s. فارغ"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "مكوِّن %s. يحتوي هذا المكوِّن على محتوى غير صالح"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "لم يتم دعم \"%s\" بالكامل"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ سطر العنوان %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "تم رفع مسودة مقالة واحدة"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< ساعة واحدة"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "يحتوي زر \"المزيد\" على قائمة منسدلة تعرض أزرار المشاركة"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "تم تعيين صورة بارزة. انقر لتغييرها."; /* Title for a threat */ "A file contains a malicious code pattern" = "يحتوي أحد الملفات على نمط أكواد برمجية ضارة"; +/* No comment provided by engineer. */ +"A link to a category." = "رابط إلى تصنيف."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "رابط إلى صفحة."; + +/* No comment provided by engineer. */ +"A link to a post." = "رابط إلى مقالة."; + +/* No comment provided by engineer. */ +"A link to a tag." = "رابط إلى وسم."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "قائمة المواقع الموجودة على هذا الحساب."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "سلسلة من الخطوات للمساعدة في زيادة جمهور موقعك."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "يوجد وسم يحمل الاسم \"%@\" بالفعل."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "العنوان"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "نبذة"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "إضافة بطاقة إحصائيات جديدة"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "إضافة إلى البداية"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "إضافة موضوع"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "أضف عنوان URL الخاص بـ CSS المخصصة هنا ليتم تحميلها في القارئ. إذا كنتَ تقوم بتشغيل Calypso محليًا، فقد يبدو هذا مثل: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "إضافة موقع مستضاف ذاتيًا"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "إضافة نص بديل"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "إضافة أي موضوع"; +/* No comment provided by engineer. */ +"Add caption" = "إضاقة تسمية توضيحية"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "أضف صورة أو أفاتار لتمثيل هذا الحساب الجديد."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "إضافة مكوّن فقرة"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "إضافة موقع مستضاف ذاتيًا"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "إضافة علامات"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "إضافة رابط البريد الإلكتروني هذا"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "أضف رابط الهاتف هذا"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "إضافة ميزات الموقع"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "الألبومات"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "محاذاة"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "حدث خطأ."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "حدث خطأ غير معروف. يُرجى المحاولة مرة أخرى."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "يوافق على التعليق."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "هل أنت متأكد من رغبتك في الإلغاء وتجاهل التغييرات؟"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "هل ترغب بالتأكيد في التحديث؟"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "الفن"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "اعتبارًا من 1 أغسطس 2018، لن يسمح فيسبوك بعد الآن بالمشاركة المباشرة للمقالات على ملفات تعريف الفيسبوك. تبقى الاتصالات بصفحات الفيسبوك كما هي."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "إرفاق ملف كرابط"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "مشغل الصوت"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "تسمية الملف الصوتي. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "تسمية الملف الصوتي. فارغة"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "الصوت، %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "الكُتّاب"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "إدارة تلقائية"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "شارك المقالات الجديدة تلقائيًّا على حساباتك على وسائل التواصل الاجتماعي."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "تحديثات تلقائية"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "حظر الاقتباس"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "المكوِّن الذي تم نسخه"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "المكوِّن الذي تم قصه"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "المكوِّن الذي تم تكراره"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "تم تمكين محرر المكوّنات"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "تم حظر محاولات تسجيل الدخول الضارة"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "المكوِّن الذي تم لصقه"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "تم إزالة المكوّن"; - -/* No comment provided by engineer. */ -"Block settings" = "إعدادات المكوِّن"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "حظر هذا الموقع"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "مشاهد المدونة"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "عريض"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "تحديد مناقشات التعليقات في صفحات متعددة."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "تصفّح جميع قوالبنا للعثور على ما يناسبك."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "الحماية من هجمات القوة الغاشمة"; @@ -980,7 +1159,10 @@ "Button Style" = "نمط الزر"; /* No comment provided by engineer. */ -"ButtonGroup" = "مجموعة أزرار"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "بواسطة "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "جاري الحساب..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "كاميرا"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "كلمات توضيحية"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "كن حذرًا!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "التصنيف"; +/* No comment provided by engineer. */ +"Category Link" = "رابط التصنيف"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "عنوان التصنيف مفقود."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "خطأ في الشهادة"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "تغيير كلمة المرور"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "تغيير موضع المكوّن"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "فشل التغيير"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "تغيير نوع الجهاز المستخدم للمعاينة"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "تغيير اسم المستخدم"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "التحقق من خطأ عمليات الشراء"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "اختيار النطاق"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "اختيار ملف"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "هل تريد مسح جميع سجلات النشاط القديمة؟"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "مسح البحث"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "إغلاق التعليق"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "إغلاق شاشة \"أنا\""; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "رمز"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "تم طي %i من المهام المكتملة، ويؤدي التبديل إلى توسيع قائمة هذه المهام"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "خلفيات ملونة"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "إعدادات العمود"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "اجمع بين الصور ومقاطع الفيديو والنصوص لإنشاء مقالات قصة جذابة وقابلة للنقر سيحبها زائروك."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "اتصالات"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "الاتصال"; + /* Support email label. */ "Contact Email" = "البريد الإلكتروني لجهة الاتصال"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "الاتصال بالدعم"; +/* No comment provided by engineer. */ +"Contact us" = "الاتصال بنا"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "اتصل بنا على %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "بنية المحتوى \nالمكوِّنات: %1$li، الكلمات: %2$li، الأحرف: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "المتابعة"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "المتابعة باستخدام WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "الاستمرار في العمل"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "المتابعة عبر Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "تحويل إلى مكوّنات"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "الطهي"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "المكوِّن الذي تم نسخه"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "نسخ الرابط إلى التعليق"; /* No comment provided by engineer. */ -"Copy block" = "نسخ المكوِّن"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "نسخ رابط الملف"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "تعذر التحقق من عمليات شراء الموقع."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "تعذرت متابعة الموقع"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "إنشاء مقالة قصة"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "إنشاء موقع WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "إنشاء وسم"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "إنشاء موقع جديد"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "أنشئ موقعًا جديدًا لأعمالك أو مجلتك أو مدونتك الشخصية؛ أو اتصل بموقع ووردبريس موجود وتم تثبيته مسبقًا."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "إنشاء مقالة أو صفحة"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "إنشاء مقالة، صفحة، أو قصة"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "إنشاء نسخة احتياطية قابلة للتنزيل"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "جاري الآن استعادة: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "رسالة مخصصة…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "إضفاء الطابع الشخصي على إعدادات موقعك مثل الإعجابات والتعليقات والمتابعات، والمزيد."; -/* No comment provided by engineer. */ -"Cut block" = "قص المكوِّن"; - /* Title for the app appearance setting for dark mode */ "Dark" = "داكن"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 ديسمبر، 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "الافتراضي"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "الرابط الافتراضي URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "الإعدادات الافتراضية للمقالات الجديدة"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "حدث خطأ في حذف الموقع"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "حذف القائمة"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "حذف هذا الوسم"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "الوصف"; +/* No comment provided by engineer. */ +"Descriptions" = "أوصاف"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "التصميم"; /* Title for the desktop web preview */ "Desktop" = "جهاز سطح المكتب"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "تفاصيل"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "اسم العرض"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "اعرض إحصاءات موقعك طوال الوقت هنا. يمكنك التكوين في تطبيق ووردبريس في إحصاءات موقعك."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "عرض إحصاءات موقعك لهذا الأسبوع هنا. يمكنك التكوين في تطبيق ووردبريس في إحصاءات موقعك."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "عرض إحصائيات موقعك لهذا اليوم هنا. إعداد التكوين في تطبيق ووردبريس ضمن إحصائيات موقعك."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "المستند: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "معلومات الاتصال الخاصة بالنطاق"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "يتعين على مالكي النطاق مشاركة معلومات الاتصال في قاعدة بيانات عامة لجميع النطاقات. مع ميزة حماية الخصوصية، ننشر معلوماتنا الخاصة بدلاً من معلوماتك، وإعادة توجيه أي اتصال إليك بشكل سري."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "النطاقات"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "ليس لديك حساب؟ _تسجيل_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "تمّ"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "لا داعي للقلق تجاه أي شيء"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "عرض المقتطف"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "عرض أيقونات ترتبط بحسابات موقع تواصل اجتماعي أو مواقع إلكترونية."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "اعرض إحصاءات موقعك طوال الوقت هنا. يمكنك التكوين في تطبيق ووردبريس في إحصاءات موقعك."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "عرض إحصاءات موقعك لهذا الأسبوع هنا. يمكنك التكوين في تطبيق ووردبريس في إحصاءات موقعك."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "عرض إحصائيات موقعك لهذا اليوم هنا. إعداد التكوين في تطبيق ووردبريس ضمن إحصائيات موقعك."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "المستند: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "معلومات الاتصال الخاصة بالنطاق"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "يتعين على مالكي النطاق مشاركة معلومات الاتصال في قاعدة بيانات عامة لجميع النطاقات. مع ميزة حماية الخصوصية، ننشر معلوماتنا الخاصة بدلاً من معلوماتك، وإعادة توجيه أي اتصال إليك بشكل سري."; + +/* Title for the Domains list */ +"Domains" = "النطاقات"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "ليس لديك حساب؟ _تسجيل_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "تمّ"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "لا داعي للقلق تجاه أي شيء"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "الضغط المزدوج مع الاستمرار لنقل عنصر القائمة هذا للأعلى أو أسفل"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "النقر المزدوج لفتح ورقة الإجراءات التي تحتوي على خيارات متوافرة"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "النقر المزدوج لفتح الورقة السفلية التي تحتوي على خيارات متوافرة"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "الضغط المزدوج لإعادة آخر تغيير"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "تنزيل النسخة الاحتياطية"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "تنزيل الملف"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "التنزيلات"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "المسودات"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "تكرار"; -/* No comment provided by engineer. */ -"Duplicate block" = "تكرار المكوِّن"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "شرق"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "تحرير مكوّن %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "تحرير كلمة قائمة الحظر"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "تحرير المقالة"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "تحرير الملف"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "تحرير الصورة"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "تحرير المقالات والصفحات الجديدة باستخدام مُحرّر المكوّنات."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "تحرير أزرار المشاركة"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "تحرير المقالة أولاً"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "تحرير باستخدام محرر الويب"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "تم إرسال البريد الإلكتروني!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "فارغ"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "عنوان URL فارغ"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "تفعيل"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "تاريخ الانتهاء"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "الدخول إلى وضع ملء الشاشة"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "أدخل قيمة مخصصة"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "إدخال كلمة مرور لحماية هذه المقالة"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "أدخل كلمات مختلفة أعلاه وسنبحث عن عنوان يطابقها."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "أدخل بيانات اعتماد الخادم الخاص بك لتمكين استعادة الموقع بنقرة واحدة من النُسخ الاحتياطية."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "حدث خطأ في إعدادات تسريع الموقع"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "الحدث"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "استكشاف الخطط"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "تصدير المحتوى"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "لم يتم رفع الصورة البارزة"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "جاري جلب القوالب..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "نوع الملف"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "التعبئة باستخدام مدير كلمات المرور"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "الاسم الأول"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "إصلاح الكل"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "تمت المعالجة"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "جاري معالجة التهديدات"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "كرة القدم"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "قمنا بتعبئة معلومات جهات الاتصال الخاصة بك مسبقًا على حسابك في WordPress.com من أجل راحتك. يرجى المراجعة للتأكد من صحة المعلومات التي ترغب في استخدامها لهذا النطاق."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "إعادة التوجيه"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "مجانًا"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "التسمية التوضيحية للمعرض. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "جعل موقعك جاهزًا للعمل وقيد التشغيل"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "الحصول على معلومات الحساب"; /* Cancel */ "Give Up" = "توقف"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "حدِّد اسمًا لموقعك يعكس هويته وموضوعه. الاعتماد على الانطباعات الأولى!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "محتوى HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "رأس الصفحة 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "رأس الصفحة 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "العنوان 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "العنوان 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "مساعدة"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "أيقونة المساعدة"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "فيما يلي طريقة تنفيذ المقالة حتى الآن."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "إخفاء لوحة المفاتيح"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "احتجاز من أجل الإدارة"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "مرحى!\nعلى وشك الانتهاء"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "كيف أصلح Jetpack هذا الأمر؟"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "يعجبني هذا"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "أيقونة ونص"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "إذا قمت بالمتابعة مع Apple أو Google وليس لديك حساب WordPress.com بالفعل، فأنت تقوم بإنشاء حساب وتوافق على _شروط الخدمة_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "إذا قمتَ بإزالة %1$@، فلن يتمكن هذا المستخدم بعد الآن من الوصول إلى هذا الموقع، ولكن سيظل أي محتوى قام %2$@ بإنشائه على الموقع."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "حجم الصورة"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "تسمية توضيحية للصورة. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "عنوان الصورة"; +/* No comment provided by engineer. */ +"Image width" = "عرض الصورة"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "الصورة %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "حالاً"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "بكلمات قليلة، اكتب نبذة قصيرة عن الموقع."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "غير مفعل"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "اسم المستخدم أو كلمة المرور غير صحيحين. يُرجى محاولة إدخال بيانات تسجيل دخولك مرة أخرى."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "ملف أساسي (core file) مصاب"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "أضف وسائط"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "إدراج وسائط"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "إدراج المحدَّد"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "يمكن أن يستغرق تثبيت الإضافة الأولى على موقعك حتى دقيقة واحدة. لن تتمكن من إجراء تغييرات على موقعك خلال هذه الفترة."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "مقدمة لمقالات القصص"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "مائل"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "واكب التحديثات المتعلقة بأداء موقعك."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "المستخدمون المشهورون"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "التسمية"; +/* No comment provided by engineer. */ +"Landscape" = "Landscape"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "اللغة"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "كبير"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "ملخص آخر مقالة"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "تعرف على المزيد"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "اعرف المزيد عن تنسيق التاريخ والوقت."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "معرفة المزيد عن الأدوار (الرُتب)"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "الأيقونات القديمة"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "دعنا نساعدك"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "أخبرني عند الانتهاء!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "المستوى %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "المستوى %s. فارغ."; + /* Title for the app appearance setting for light mode */ "Light" = "فاتح"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "رابط لـ"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "ربط بمحتوى موجود"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "الروابط في التعليقات"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "نمط القائمة"; +/* No comment provided by engineer. */ +"List text" = "نص القائمة"; + /* Title of the screen that load selected the revisions. */ "Load" = "تحميل"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "جاري التحميل ..."; +/* No comment provided by engineer. */ +"Loading…" = "جاري التحميل …"; + /* Status for Media object that is only exists locally. */ "Local" = "محلي"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "سجِّل الدخول من خلال اسم المستخدم وكلمة المرور الخاصين بحسابك على WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "هل ترغب في تسجيل الخروج من ووردبريس؟"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "انتهت صلاحية طلب تسجيل الدخول"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "السجلات"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "يبدو أنّ لديك Jetpack معدٌ على موقعك. تهانينا! قم بتسجيل الدخول باستخدام بيانات اعتماد WordPress.com لتمكين الإحصاءات والإشعارات."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "هل فقدت كلمة مرورك؟"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "التنقل الرئيسي"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "مطابقة الحسابات باستخدام البريد الإلكتروني"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "أقصى حجم لرفع الصور"; /* Title for the video size settings option. */ "Max Video Upload Size" = "أقصى حجم لمقطع الفيديو الذي سيتم رفعه"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "رفع الوسائط"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "لا تحتوي وسائل التواصل على ملف مرتبط لرفعه."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "حجم ملف الوسائط (%1$@) كبير لدرجة يتعذر معها رفعه. الحد الأقصى المسموح به هو %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "فشل معاينة الوسائط."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "الوسائط المرفوعة (%ld الملفات)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "راقب وقت التشغيل في موقعك"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "أشهر"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "المزيد على WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "الوقت الأكثر شعبية"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "تحريك للأسفل"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "نقل عنصر القائمة"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "يَنقل التعليق إلى سلة المهملات."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "الموسيقى"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "ملفي الشخصي"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "تذاكري"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "الاسم"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "التنقل لتخصيص التدرج"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "هل تحتاج إلى المساعدة؟"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "كلمة جديدة بقائمة الحظر"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "أيقونة تطبيق مخصصة جديدة"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "مقالات جديدة"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "الأحدث"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "التالي"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "الخطوات التالية"; /* Accessibility label for the next notification button */ "Next notification" = "التنبيه التالي"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "الفترة التالية"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "لا"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "لا يوجد اتصال"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "لا توجد عناصر"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "لا توجد تعليقات حتى الآن"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "لا توجد مقالات."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "لا توجد مقالات حديثة"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "لم تشاهد البريد الإلكتروني؟ تحقّق من مجلد البريد المزعج أو البريد العشوائي."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "ملحوظة: قد يختلف تخطيط العمود بين القوالب وأحجام الشاشة"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "لم يتم العثور على شيء."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "رقم"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "قائمة مرقّمة"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "زر One Password"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "أنظر فقط للإحصائيات الأكثر صلة. أضف رؤى لتناسب احتياجاتك."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "عفوًا!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "فتح قائمة إجراءات المكوِّن"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "فتح إعدادات الجهاز"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "فتح ووردبريس"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "فتح أداة انتقاء الوسائط بالكامل"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "أو تسجيل الدخول عن طريق _إدخال عنوان موقعك_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "قائمة مرتبة"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "المؤسسة"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "مواقع أخرى"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "تم التجاوز"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "الهاتف"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "الصفحة"; +/* No comment provided by engineer. */ +"Page Link" = "رابط الصفحة"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "تمت استعادة الصفحة إلى مسودات"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "إعدادات الصفحة"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "مكوِّن فاصل الصفحات. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "ترقيم الصفحات"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "التصنيف الأب"; @@ -4486,7 +5442,7 @@ "Paste URL" = "لصق الرابط"; /* No comment provided by engineer. */ -"Paste block after" = "لصق المكوِّن بعد"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "اللصق من دون تنسيق"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "اختر تخطيط الصفحة الرئيسية المفضَّل لديك. يمكنك تعديله أو تخصيصه لاحقًا."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "الخطة"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "الخطط"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "تشغيل الفيديو"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "يرجى إضافة بعض المحتوى قبل محاولة النشر."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "اللغات الشائعة"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "مقالة"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "تصنيفات المقالة"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "تنسيق المقالة"; +/* No comment provided by engineer. */ +"Post Link" = "رابط المقالة"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "تم استعادة المقالة إلى المسودات"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "مقالة باسم %1$@، من %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "تمّ إنشاء المقالة على %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "فشل رفع المقالة"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "تم نقل المقالة إلى سلة المهملات."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "تم النشر في %1$@، عند %2$@، بواسطة %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "نشاط النشر"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "مقالات"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "صفحة المقالات"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "مدعوم من Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "الإصدار المميز"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "يمكنك معاينة موقعك الجديد لرؤية ما سيراه الزائرون."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "التنبيه السابق"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "الفترة السابقة"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "الموقع الرئيسي"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "مشاريع"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "عام"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "جاري النشر..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "عمليات الشراء"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "تم إيقاف تشغيل تنبيهات الدفع في إعدادات iOS. قم بتبديل \"السماح بالتنبيهات\" لتشغيلها من جديد."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "البدء السريع"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "ضع تصنيفًا لنا على متجر التطبيقات"; +/* No comment provided by engineer. */ +"Read more" = "قراءة المزيد"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "مواصلة القراءة"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "تمت إعادة الاتصال"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "توجيه"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "تعرض المقالات ذات الصلة المحتوى ذا الصلة من موقعك أسفل مقالاتك"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "حذف هذه المقالة من المقالات المحفوظة."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "إزالة الفيديو"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "استبدال الملف"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "استبدال صورة أو فيديو"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "تغيير الحجم والقص"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "الدقة"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "استعادة الموقع"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "استعادة إلى هذه النقطة"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "تُعد المكوِّنات القابلة لإعادة الاستخدام غير قابلة للتحرير على ووردبريس بالنسبة إلى نظام تشغيل iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "إرجاع التغيير المعلق"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "الدور"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "تم إرسال SMS"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "تحديد نمط الفقرة"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "حدّد %@ لإضافة حساباتك على وسائل التواصل الاجتماعي"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "إرسال تنبيهات الدفع"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "الحصول على الصور من خوادمنا"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "تعيين كصفحة مقالات"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "الإعداد"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "خطأ في المشاركة"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "عرض الترويسة"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "عرض المقالات ذات الصلة"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "عرض كلمة المرور"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "إظهار محتوى المقالة"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "إظهار القسم"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "إظهار مقالاتي فقط"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "عرض الإحصائيات لـ:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "يعرض مقالات الموقع."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "اشترك"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "لغة الموقع"; +/* No comment provided by engineer. */ +"Site Logo" = "شعار الموقع"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "صفحة الموقع"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "المنطقة الزمنيّة للموقع (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "تم تغيير عنوان الموقع بنجاح"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "المواقع"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "مواقع لمتابعتها"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "الحجم"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "اجتماعي"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "فشلت بعض عمليات رفع الوسائط. سيؤدي هذا الإجراء إلى إزالة كل الوسائط الفاشلة من المقالة.\nهل تريد الحفظ على أي حال؟"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "معذرة، اسم المستخدم هذا موجود مسبقًا."; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "عذرًا، اسم المستخدم غير متاح."; +"Sorry, that username is unavailable." = "عذرًا، اسم المستخدم غير متاح."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "عذرًا، يمكن أن تحتوي أسماء المستخدمين فقط على حروف أبجدية صغيرة (a-z) وأرقام."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "فرز حسب"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "التعليمات البرمجية المصدر"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "جنوب"; /* Label for showing the available disk space quota available for media */ "Space used" = "المساحة المستخدمة"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "زيادة سرعة موقعك"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "قياسي"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "البدء من جديد"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "البدء بالكتابة…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "يتوسطه خط"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "جاري التقديم للمراجعة..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "تم مسح فهرس spotlight بنجاح"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "الدعم"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "تبديل الموقع"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "النظام الافتراضي"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "جدول المحتويات"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "جدول يعرض %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "العلامة"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "رابط الوسم"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "يوجد وسم بالفعل"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "أخبرنا بنوع الموقع الذي ترغب في إنشائه"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "الشروط والأحكام"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "نص فقط"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "اكتب رمزًا لي بدلاً من ذلك"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "شكرًا لاختيارك %1$@ من %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "تجري حاليًا صيانة تطبيق ووردبريس للأندرويد"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "لا يمكن للتطبيق التعرف على استجابة الخادم. يُرجى التحقق من تكوين موقعك."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "شهادة هذا الخادم غير صالحة. قد تكون مرتبطًا بخادم يبدو "%@" والذي قد يجعل معلوماتك السرية في خطر.\n\nهل تريد أن تثق في الشهادة على أية حال؟"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "يحتوي الملف %1$@ على نمط أكواد برمجية ضارة"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "تعذرت إضافة الفيديو إلى مكتبة الوسائط."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "تم تفعيل القالب"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "توجد مشكلة في الاتصال بـ %@. أعد الاتصال لمتابعة الإشهار."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "يلزم هذا التطبيق إذن بالوصول إلى مكتبة وسائط الجهاز لإضافة الصور و\/أو مقاطع الفيديو إلى مقالاتك. يُرجى تغيير إعدادات الخصوصية إذا كنت ترغب في السماح بهذا."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "هذا النطاق غير متاح."; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "تم تجاهل التهديد."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "صورة مصغرة"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "العنوان"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "عنوان التصنيف إلزامي."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "لإضافة صور أو مقاطع فيديو إلى مقالاتك."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "للاستمرار باستخدام حساب Google هذا، يُرجى تسجيل الدخول أولاً باستخدام كلمة مرور حساب WordPress.com الخاص بك. سيُطلب منك هذا مرة واحدة فقط."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "لالتقاط صور أو مقاطع فيديو لاستخدامها في مقالاتك."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "التبديل بين مصدر HTML "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "تبديل نمط القائمة المرتبة"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "إجمالي الكلمات"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "المرور"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "تحويل %s إلى"; - -/* No comment provided by engineer. */ -"Transform block…" = "تحويل مكوّن…"; - /* No comment provided by engineer. */ "Translate" = "الترجمة"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "اسم مستخدم تويتر"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "كتابة كلمة أساسية لمزيد من الأفكار"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "موقع بلا اسم"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "قائمة غير مرتبة"; /* Filters Unread Notifications */ "Unread" = "غير مقروء"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "لم يتم حفظ التغييرات"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "بدون عنوان"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "تم حفظ عدد كبير من السجلات لفترة تصل إلى سبعة أيام."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "رفع الوسائط"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "رفع أيقونة الموقع"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "رفع صورة، أو اختيار صورة من مكتبة الوسائط الخاصة بك، لتكن شعار موقعك."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "فشل الرفع"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "استخدام الموقع الحالي"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "استخدام مُحرر المكوّنات"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "استخدم هذا الرابط لضمّ أعضاء فريقك دون الحاجة إلى دعوتهم واحدًا تلو الآخر. سيتمكن أي شخص يزور عنوان الموقع هذا من الاشتراك في مؤسستك، حتى إذا تلقى الرابط من شخص آخر، لذا تأكد من مشاركته مع أشخاص موثوق بهم."; /* No comment provided by engineer. */ "Use this site" = "استخدام هذا الموقع"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "التحقُّق من عنوان بريدك الإلكتروني - تم إرسال الإرشادات إلى %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "النسخة"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "الإصدار %@ متاح"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "معاينة الفيديو غير متوفرة"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "تسمية الفيديو. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "تم إلغاء تصدير مقطع الفيديو."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "الفيديو %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "المشاهدون"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "القالب المعرض للاختراق: %1$@ (النسخة %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "مسؤول ووردبريس"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "أهلاً بك في القارئ"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "مرحبًا بك في أداة إنشاء مواقع الويب الأكثر رواجًا في العالم."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "عذرًا، هذا رمز تحقق من عاملين غير صالح. تحقق مجددًا من رمزك وحاول مجددًا!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "المربعات الجانبية"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "لن تكون مرئية للجميع."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "باستخدام هذا المحرر القوي، يمكنك النشر أثناء التنقّل."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "إعدادات تطبيق ووردبريس"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "اكتب ردًا…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "الكتابة"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "يظهر عنوان موقعك في الشريط الموجود أعلى الشاشة عندما تزور موقعك من متصفح Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "تم إنشاء موقعك!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "أنت الآن تستخدم محرِّر المكوّن للمقالات الجديدة — رائع! إذا كنت ترغب في التغيير إلى المحرِّر التقليدي، فانتقل إلى \"موقعي\" > \"إعدادات الموقع\"."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[تعليق]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "ساعة"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "صوت"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "بواسطة %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "الاتصالات"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "ملخص عناوين المستند"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "أنقر نقرًا مزدوجًا لتغيير الوحدة"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "على سبيل المثال 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "على سبيل المثال 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "متابع"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (عنوان URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "صورة"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "في \"التطبيقات\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "في وقتٍ لاحقٍ اليوم"; +/* No comment provided by engineer. */ +"link" = "رابط"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "من"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "أخرى"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "كلمة المرور"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "رقم الهاتف"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "مقالة"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "ملخّص (موجز)"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "سيتم حذف هذه العناصر:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "اليوم"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "ووردبريس، المواقع، الموقع، المدونات، المدونة"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "يجري إعداد نطاقك الجديد %@. يقوم موقعك ببعض الحركات البهلوانية من أجل الإثارة!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• نطاقات"; diff --git a/WordPress/Resources/bg.lproj/Localizable.strings b/WordPress/Resources/bg.lproj/Localizable.strings index c6d2e28987da..43c020184acf 100644 --- a/WordPress/Resources/bg.lproj/Localizable.strings +++ b/WordPress/Resources/bg.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Бутонът \"още\" съдържа падащо меню с бутони за споделяне"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Информация"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Добавете описателен текст"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Добавяне на сайт от друг хостинг"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Албуми"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Подравняване"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Сигурни ли сте, че искате да отхвърлите промените?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Аудио, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Автори"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Цитат"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Блокиране на злонамерени опити за вписване"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Удебеляване"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Разделяне на коментарите на страници."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Стил на бутона"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Пресмятане..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Камера"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Надпис"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Внимание!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Категория"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Липсва заглавие на категорията."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Грешка със сертификата"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Промяната е неуспешна"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Грешка при изтегляне на покупките"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Затваряне на дискусията"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Връзки"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Контакт"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Връзка с отдела по поддръжка"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Напред"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Продължаване"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Неуспешно изтегляне на покупките."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Създаване на сайт в WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Задаване на настройки за харесвания, коментари, абонаменти и други."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "По подразбиране"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "По подразбиране за нови публикации"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Грешка при изтриване на сайта"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Описание"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Детайли"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Публично име"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Документ: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Домейни"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Готово"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Документ: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Домейни"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Готово"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Изток"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Редактиране"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Редактиране на бутоните за споделяне"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Имейлът бе изпратен!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Празен адрес"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Експортиране на съдържание"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Неуспешно зареждане на картинката"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Изтегляне на темите..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Файлов тип"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Собствено име"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Напред"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Безплатни"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Генериране на информацията за профила"; /* Cancel */ "Give Up" = "Отмяна"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML съдържание"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Заглавие 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Заглавие 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Заглавие 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Заглавие 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Помощ"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Скриване на клавиатурата"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Задържане за модерация"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Харесва ми"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Икона и текст"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Размер на изображението"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Заглавие на изображението"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Изображение, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Веднага"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "С няколко думи, разкажете за какво е този сайт."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Невалидно потребителско име или парола. Опитайте отново."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Вмъкване на медиен файл"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Вмъкване на медия"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Курсив"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Познати потребители"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Етикет"; +/* No comment provided by engineer. */ +"Landscape" = "Хоризонтално"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Език"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Високо"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Кратко описание на последната публикация"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Нека ви помогнем"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Връзка към"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Връзки в коментарите"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Зареждане..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Локално"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Заявката за влизане е изтекла"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Логове"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Изгубена парола?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Основна навигация"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Максимален размер за качване на файл"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Максимален размер за качване на видео"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Месеца"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Моят профил"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Помощ?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Най-нов"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Следваща"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Следващо уведомление"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Не"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Няма връзка"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Няма елементи"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Няма коментари"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Няма скорошни публикации"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Нищо не бе открито."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Номериран списък"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Упс!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Отваряне на WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Подреден списък"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Други сайтове"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Страница"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Страницата бе възстановена като чернова"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Страници"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Категория родител"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Планове"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Популярни езици"; +/* No comment provided by engineer. */ +"Portrait" = "Портрет"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Публикация"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Категории"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Формат"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Публикацията бе възстановена като чернова"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Публикацията е изтрита."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Активност"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Публикации"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Платени"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Основен сайт"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Проекти"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Публична"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Публикуване..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Покупки"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Гласувайте за нас в App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Свързахте се отново"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Източник"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Модулът за свързани публикации показва релевантно съдържание от вашия сайт под публикациите ви."; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Преоразмеряване и изрязване"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Разделителна способност"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Отмяна на изчакващата промяна"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Роля"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS изпратен"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Към заглавната част"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Показване на подобни публикации"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Език на сайта"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Сайтове"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Размер"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Някои качвания на файлове се провалиха. Това действие ще премахне всички провалени файлове от публикацията. Запазване въпреки това?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Това потребителско име вече съществува!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Ех, това потребителско име е заето."; +"Sorry, that username is unavailable." = "Ех, това потребителско име е заето."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Потребителското име може да съдържа само малки букви (a-z) и цифри."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Сортиране по"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Изходен код"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Юг"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Стандартна"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Започване отначало"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Зачеркнат"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Помощ"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Превключване на сайта"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Етикет"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Само текст"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Изпращане на код чрез SMS"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Благодарим ви, че избрахте %1$@ от %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Приложението WordPress за Android претърпява изумителни подобрения"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Приложението не разпознава отговора на сървъра. Проверете конфигурацията на сайта си."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Сертификатът на този сървър е невалиден. Възможно е да се свързвате със сървър който се преструва че е \"%@\", което да изложи ваша конфиденциална информация на риск.\n\nСигурни ли сте, че искате да се доверите на този сертификат?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Темата е активирана"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Възникна грешка при свързването с %@. Свържете се отново, за да продължите да споделяте."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Това приложение се нуждае от права да достъпва вашите медийни файлове, за да може да се добавят снимки и\/или видео в публикациите ви. Моля, променете вашите настройки за поверителност ако искате да разрешите това."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Умалена картинка"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Заглавие"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Заглавието на категория е задължително"; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Да добавяте снимки или видео към публикациите си."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "За да заснемате снимки или видео клипове за вашите публикации."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Включване на HTML"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Потребителско име в Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Сайт без име"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Неподреден списък"; /* Filters Unread Notifications */ "Unread" = "Непрочетени"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Незапазени промени"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Съхраняват се журнали за последните 7 дни."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Неуспешно качване"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Използване на текущото местоположение"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Използване на този сайт"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Версия"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Видео, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Посетители"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Добре дошли в Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Няма да бъде показван публично."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Отговор..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Писане"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "1 час"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "аудио"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (Адрес)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "изображение"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "в \"Приложения\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "по-късно днес"; +/* No comment provided by engineer. */ +"link" = "връзка"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "днес"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Домейни"; diff --git a/WordPress/Resources/cs.lproj/Localizable.strings b/WordPress/Resources/cs.lproj/Localizable.strings index 771442e74a9e..28f5a5904508 100644 --- a/WordPress/Resources/cs.lproj/Localizable.strings +++ b/WordPress/Resources/cs.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-22 05:38:12+0000 */ +/* Translation-Revision-Date: 2021-05-06 10:30:27+0000 */ /* Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ((n >= 2 && n <= 4) ? 1 : 2); */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: cs_CZ */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d neviditelných příspěvků"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s změnit na %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d z %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s je %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li slov, %2$li znaků"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s možnosti bloku"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s blok. Prázdný"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s blok. Tento blok má neplatný obsah"; +/* translators: %s: Number of comments */ +"%s comment" = "%s komentář"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s označení"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' není plně podporován"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adresní řádek %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Vybrat -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ \"Block\" je abstraktní termín používaný \\ n\n\/\/ na popis jednotek značky, které \\ n\n\/\/ když jsou spojeny dohromady, vytvářejí \\ n\n\/\/ obsah nebo rozložení stránky. \\ N\nregisterBlockType (název, nastavení);"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Byl nahrán 1 koncept příspěvku"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Nalezena 1 potenciální hrozba"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hodina"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tlačítko \"více\" obsahuje rozbalovací seznam, který zobrazuje tlačítka sdílení"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Vybraný obrázek je nastaven. Klepnutím ho změňte."; /* Title for a threat */ "A file contains a malicious code pattern" = "Soubor obsahuje vzor škodlivého kódu"; +/* No comment provided by engineer. */ +"A link to a category." = "Odkaz na rubriku."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Odkaz na stránku."; + +/* No comment provided by engineer. */ +"A link to a post." = "Odkaz na příspěvek."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Odkaz na štítek."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Seznam webů v tomto účtu."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Série kroků, které vám pomohou rozšířit publikum vašeho webu."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Značka s názvem '%@' již existuje."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Adresa"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "O nás"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Přidejte novou statistickou kartu"; +/* No comment provided by engineer. */ +"Add Template" = "Přidat šablonu"; + /* No comment provided by engineer. */ "Add To Beginning" = "Přidat na začátek"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Přidat téma"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Zde přidejte vlastní adresu URL CSS, která se načte do aplikace Reader. Pokud používáte Calypso místně, může to být něco jako: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Přidejte web s vlastním hostitelem"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Přidat alternativní text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Přidejte jakékoli téma"; +/* No comment provided by engineer. */ +"Add caption" = "Přidat titulek"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Přidejte vlastní kód HTML a zobrazte jeho náhled při úpravách."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Přidejte obrázek nebo avatar, který představuje tento nový účet."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Přidat blok odstavců"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Přidat citát"; + /* Add self-hosted site button */ "Add self-hosted site" = "Přidejte vlastní web"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Přidat štítky"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Přidejte text, který respektuje vaše odsazení, tabulátory, a také umožňuje stylování."; + +/* No comment provided by engineer. */ +"Add text…" = "Přidat text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Přidejte tento e-mailový odkaz"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Přidejte tento telefonní odkaz"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Přidejte mezeru mezi bloky a upravte její výšku."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Přidávání funkcí webu"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Alba"; +/* No comment provided by engineer. */ +"Align column center" = "Zarovnat sloupec na střed"; + +/* No comment provided by engineer. */ +"Align column left" = "Zarovnat sloupec doleva"; + +/* No comment provided by engineer. */ +"Align column right" = "Zarovnat sloupec doprava"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Zarovnání"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Vyskytla se chyba."; +/* No comment provided by engineer. */ +"An example title" = "Příklad názvu"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Nastala neznámá chyba. Prosím zkuste to znovu."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Schválil komentář"; +/* No comment provided by engineer. */ +"Archive Title" = "Název archívu"; + +/* No comment provided by engineer. */ +"Archive title" = "Název archívu"; + +/* No comment provided by engineer. */ +"Archives settings" = "Nastavení archivů"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Jste si jisti, že chcete zrušit a odstranit změny?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Opravdu chcete provést aktualizaci?"; +/* No comment provided by engineer. */ +"Area" = "Oblast"; + /* An example tag used in the login prologue screens. */ "Art" = "Umění"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Od 1. srpna 2018 již Facebook neumožňuje přímé sdílení příspěvků na profily Facebooku. Připojení k Facebook stránkám zůstávají nezměněna."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Poměr stran"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Připojit soubor jako odkaz"; +/* No comment provided by engineer. */ +"Attachment page" = "Stránku se zobrazením souboru"; + /* No comment provided by engineer. */ "Audio Player" = "Audio přehrávač"; +/* No comment provided by engineer. */ +"Audio caption text" = "Text zvukových titulků"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Zvukový titulek. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Zvukový titulek. Prázdný"; +/* No comment provided by engineer. */ +"Audio settings" = "Nastavení zvuku"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autoři"; +/* No comment provided by engineer. */ +"Auto" = "Automaticky"; + /* Describes a status of a plugin */ "Auto-managed" = "Spravován automaticky"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automaticky sdílejte nové příspěvky se svými účty sociálních médií."; +/* No comment provided by engineer. */ +"Autoplay" = "Přehrát automaticky"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Automatické aktualizace"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Citace"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blok zkopírován"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blok vyjmut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blok duplikován"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Blok nelze vykreslit uvnitř sebe."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor bloků povolen"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Blok byl odstraněn nebo není k dispozici."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blokovat škodlivé pokusy o přihlášení"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blok vložen"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blok odstraněn"; - -/* No comment provided by engineer. */ -"Block settings" = "Nastavení bloku"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Zablokovat tento web"; @@ -936,7 +1097,7 @@ /* Blocklist Title Settings: Comments Blocklist */ -"Blocklist" = "Černá listina"; +"Blocklist" = "Seznam zablokovaných slov"; /* Opens the WordPress Mobile Blog */ "Blog" = "Blog"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Prohlížeč blogu"; +/* No comment provided by engineer. */ +"Body cell text" = "Text hlavní buňky"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Zvýraznit"; +/* No comment provided by engineer. */ +"Border" = "Ohraničení"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Rozdělit vlákna komentářů do více stránek."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Prozkoumejte seznam šablon a nejděte tu co se hodí nejvíce."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Výchozí prohlížeč"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Ochrana před útokem hrubou silou"; @@ -980,7 +1159,10 @@ "Button Style" = "Styl tlačítek"; /* No comment provided by engineer. */ -"ButtonGroup" = "Skupina tlačítek"; +"Buttons shown in a column." = "Tlačítka zobrazená ve sloupci."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Tlačítka zobrazená v řádku."; /* Label for the post author in the post detail. */ "By " = "od "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Výpočet..."; +/* No comment provided by engineer. */ +"Call to Action" = "Výzva k akci"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Fotoaparát"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Titulek"; +/* No comment provided by engineer. */ +"Captions" = "Popisky"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Opatrně!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Rubrika"; +/* No comment provided by engineer. */ +"Category Link" = "Odkaz rubriky"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Chybí název rubriky."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Chyba certifikátu"; +/* No comment provided by engineer. */ +"Change Date" = "Změnit datum"; + /* Account Settings Change password label Main title */ "Change Password" = "Změnit heslo"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Změňte pozici bloku"; +/* No comment provided by engineer. */ +"Change column alignment" = "Změnit zarovnání sloupce"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Změna zrušena"; +/* No comment provided by engineer. */ +"Change heading level" = "Změnit úroveň nadpisu"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Změňte typ zařízení použitého pro náhled"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Změna uživatelského jména"; +/* No comment provided by engineer. */ +"Chapters" = "Kapitoly"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Zkontrolujte chybu při nákupu"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Zvolit doménu"; +/* No comment provided by engineer. */ +"Choose existing" = "Vybrat existující"; + /* No comment provided by engineer. */ "Choose file" = "Vyberte soubor"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Vymazat všechny staré protokoly aktivit?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Vymazat přizpůsobení"; + /* No comment provided by engineer. */ "Clear search" = "Vymazat vyhledávání"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Uzavřít komentování"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Zavřít postranní panel globálních stylů"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Zavřít postranní panel zobrazení seznamu"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Zavřít postranní panel nastavení"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Zavřít mou obrazovku"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kód"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Sbalené, %i dokončené úkoly, přepínání rozšiřuje seznam těchto úkolů"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Barevné pozadí"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Textový sloupec %d"; + +/* No comment provided by engineer. */ +"Column count" = "Počet sloupců"; + +/* No comment provided by engineer. */ +"Column settings" = "Nastavení sloupců"; + +/* No comment provided by engineer. */ +"Columns" = "Sloupce"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Spojit bloky do skupiny."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Zkombinujte fotografie, videa a text a vytvořte poutavé příběhy příspěvků, na které lze klepnout, které se vašim návštěvníkům budou líbit."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Připojení"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakt"; + /* Support email label. */ "Contact Email" = "Kontaktní e-mail"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontaktovat podporu"; +/* No comment provided by engineer. */ +"Contact us" = "Kontaktujte nás"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontaktujte nás na adrese %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Struktura obsahu\nBloky: %1$li, Slova: %2$li, Znaky: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Obsah nad tímto blokem se v archivu zobrazí jako stručný výpis příspěvku."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Další"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Pokračujte na WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Pokračovat v práci"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Pokračování s Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Převést na bloky"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Přenést na číslovaný seznam"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Převést na neuspořádaný seznam"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Vaření"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Kopírovat URL do schránky."; + /* No comment provided by engineer. */ "Copied block" = "Zkopírovaný blok"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Zkopírovat odkaz na komentář"; /* No comment provided by engineer. */ -"Copy block" = "Kopírovat blok"; +"Copy URL" = "Kopírovat URL"; /* No comment provided by engineer. */ "Copy file URL" = "Zkopírujte adresu URL souboru"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nepodařilo se zjistit nákupy na webu."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Nemůžete upravit obrázek. %s"; + /* Title of a prompt. */ "Could not follow site" = "Nemůžu sledovat web"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Vytvořit příběhový příspěvek"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Vytvořit web na WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Vytvořit štítek"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Oddělte jednotlivé nápady nebo oddíly vodorovnou čarou."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Vytvořte nový web"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Vytvořte nový web pro své podnikání, časopis nebo osobní blog; nebo připojte stávající instalaci WordPress."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Vytvořte příspěvek nebo stránku"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Vytvořte příspěvek, stránku nebo příběh"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Vytvořte zálohu ke stažení"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Aktuálně se obnovuje: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Vlastní zpráva…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Přizpůsobte si nastavení pro To se mi líbí, Komentáře, Sledování a další."; -/* No comment provided by engineer. */ -"Cut block" = "Vyjmout blok"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Tmavý"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17. prosince, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Základní"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Výchozí adresa URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Výchozí pro nové příspěvky"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Chyba při mazání webu"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Smazat menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Odstranit tento štítek"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Popis"; +/* No comment provided by engineer. */ +"Descriptions" = "Popis"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Vzhled"; /* Title for the desktop web preview */ "Desktop" = "Plocha počítače"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaily"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Zobrazované jméno"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Zde zobrazte své statistiky všech dob. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Zde zobrazte statistiky svého webu pro tento týden. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Zde zobrazte statistiky svého webu pro dnešek. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dokument: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Kontaktní údaje domény"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Vlastníci domén musí sdílet kontaktní informace ve veřejné databázi všech domén. Díky ochraně soukromí zveřejňujeme namísto vašich vlastních vlastních informací a soukromě vám předáváme veškerou komunikaci."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domény"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Nemáte účet? _Přihlásit se_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Hotovo"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "O nic se nestarejte"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Zde zobrazte své statistiky všech dob. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Zde zobrazte statistiky svého webu pro tento týden. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Zde zobrazte statistiky svého webu pro dnešek. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dokument: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Kontaktní údaje domény"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Vlastníci domén musí sdílet kontaktní informace ve veřejné databázi všech domén. Díky ochraně soukromí zveřejňujeme namísto vašich vlastních vlastních informací a soukromě vám předáváme veškerou komunikaci."; + +/* Title for the Domains list */ +"Domains" = "Domény"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Nemáte účet? _Přihlásit se_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Hotovo"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "O nic se nestarejte"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Dvojitým klepnutím a podržením přesunete tuto položku nabídky nahoru nebo dolů"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Dvojitým klepnutím otevřete akční list, kde můžete obrázek upravit, nahradit nebo vymazat"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Dvojitým klepnutím otevřete akční list s dostupnými možnostmi"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Dvojitým klepnutím otevřete spodní list, kde můžete obrázek upravit, nahradit nebo vymazat"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Dvojitým klepnutím otevřete spodní list s dostupnými možnostmi"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Poslední změnu provedete dvojitým klepnutím"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Stáhnout zálohu"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Stáhnout soubor"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Stahování"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Koncepty"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplikovat"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicitní blok"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Východ"; @@ -2217,8 +2651,11 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Upravit %@ blok"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ -"Edit Blocklist Word" = "Upravit černou listinu slov"; +"Edit Blocklist Word" = "Upravit seznam zablokovaných slov"; /* No comment provided by engineer. */ "Edit Comment" = "Upravit komentář"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Upravit příspěvek"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Upravit soubor"; /* No comment provided by engineer. */ "Edit focal point" = "Změňte zaostřovací pole"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Upravit obrázek"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Upravujte nové příspěvky a stránky pomocí editoru bloků."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Upravit tlačítka pro sdílení"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Nejprve upravte příspěvek"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Upravit pomocí webového editoru"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-mail poslán!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Prázdný"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Prázdná URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Aktivovat"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Koncové datum"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Vstupte na celou obrazovku"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Zadejte vlastní hodnotu"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Chcete-li tento příspěvek chránit, zadejte heslo"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Výše zadejte různá slova a my vyhledáme adresu, která jí odpovídá."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Zadejte přihlašovací údaje k serveru a povolte obnovení stránek ze zálohy jedním kliknutím."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Chyba při aktualizaci zrychlení webu"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Událost"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Prozkoumejte plány"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export obsahu"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Doporučené obrázky nenačetl"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Načítám šablony..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Typ souboru"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Vyplňte správce hesel"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Jméno"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Opravit vše"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Opraveno"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Oprava hrozby"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fotbal"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pro vaše pohodlí jsme předvyplnili vaše kontaktní informace na WordPress.com. Zkontrolujte prosím, zda jsou to správné informace, které chcete pro tuto doménu použít."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Vpřed"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Zdarma"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Titulek galerie. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Zprovozněte svůj web"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Získávám informace o účtu"; /* Cancel */ "Give Up" = "Vzdát se"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Pojmenujte svůj web podle jeho osobnosti a tématu. Počítají se první dojmy!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML obsah"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Nadpis 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Nadpis 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Nadpis 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Nadpis 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Nápověda"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Ikona nápovědy"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Zde je ukázka toho, jak si příspěvek zatím vedl."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skrýt klávesnici"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Podržet pro moderaci"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurá!\nSkoro hotovo"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jak to Jetpack opravil?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "To se mi líbí"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Ikony a text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Pokud budete pokračovat se společností Apple nebo Google a ještě nemáte účet WordPress.com, vytváříte si účet a souhlasíte s našimi _Smluvními podmínkami_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Pokud odstraníte uživatele %1$@, nebude mít přístup k tomuto webu. Ale všechen obsah který vytvořil %2$@, zůstane na webu."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Velikost obrázku"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Titulek obrázku. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Nadpis obrázku"; +/* No comment provided by engineer. */ +"Image width" = "Šířka obrázku"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Obrázek, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Okamžitě"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Několika slovy popište, čím se budete na webu zabývat."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Neaktivní"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nesprávné uživatelské jméno nebo heslo. Zkuste to znovu a zadejte vaše přihlašovací údaje."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infikovaný soubor v jádru"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Vložte média"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Vložte média"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Vložit vybrané"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalace prvního pluginu na vaše stránky může trvat až 1 minutu. Během této doby nebudete moci na svém webu provádět žádné změny."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Představujeme příběhy"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kurzíva"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mějte aktuální informace o výkonu svého webu."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Známí uživatelé"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Označení"; +/* No comment provided by engineer. */ +"Landscape" = "Na šířku"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Jazyk"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Velký obrázek"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Přehled posledních příspěvků"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Dozvědět se více"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Další informace o formátování data a času."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Další informace o rolích"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Starší ikony"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Pomůžeme"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Po dokončení mi dejte vědět!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Úroveň %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Úroveň %s. Prázdná."; + /* Title for the app appearance setting for light mode */ "Light" = "Světlý"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "URL odkazu"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Odkaz na existující obsah"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Odkazy v komentářích"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Styl seznamu"; +/* No comment provided by engineer. */ +"List text" = "Seznam textů"; + /* Title of the screen that load selected the revisions. */ "Load" = "Načítání"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Načítání…"; +/* No comment provided by engineer. */ +"Loading…" = "Načítání…"; + /* Status for Media object that is only exists locally. */ "Local" = "Místní"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Přihlaste se pomocí svého uživatelského jména a hesla WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Přejete si odhlásit se?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Žádost o přihlášení vypršela"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logy"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Na svém webu máte nastavený plugin Jetpack. Gratulujeme!\nPro zpřístupnění statistik a oznámení, se prosím níže přihlaste pomocí účtu WordPress.com"; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Zapomněli jste heslo?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hlavní navigace"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Přiřaďte účty pomocí e-mailu"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Maximální velikost nahrávání"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maximální velikost nahraného videa"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Nahrávání médií"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Média nemají přidružený soubor k nahrání."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Velikost mediálního souboru (%1$@) je příliš velká na nahrání. Maximální povolená hodnota je %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Náhled médií selhal."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Nahraná média (%ld soubory)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Sledovat dobu provozu webu"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Měsíce"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Více informací o WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Nejoblíbenější čas"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Posunout dolů"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Přesunout položku menu"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Přesunout komentáře do koše"; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Hudba"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Můj profil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Moje vstupenky"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Jméno"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Přejde k přizpůsobení přechodu"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Potřebujete pomoc?"; @@ -3894,7 +4772,10 @@ "New" = "Nový"; /* Blocklist Keyword Insertion Title */ -"New Blocklist Word" = "Nové slovo na černé listině"; +"New Blocklist Word" = "Nové zablokované slovo"; + +/* No comment provided by engineer. */ +"New Column" = "New Column"; /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nová vlastní ikona aplikace"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nové příspěvky"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Nejnovější"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Další"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Další kroky"; /* Accessibility label for the next notification button */ "Next notification" = "Další notifikace"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Další období"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Ne"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Bez připojení"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Žádné položky"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Zatím nemáte žádné komentáře"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Žádné příspěvky."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Žádné nedávné příspěvky"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Nevidíte e-mail? Zkontrolujte složku spamu nebo nevyžádané pošty."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Poznámka: Rozložení sloupců se může u různých šablon a velikostí obrazovky lišit"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nic nenalezeno."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Číslo"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Číslovaný seznam"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Jedno tlačítko hesla"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Zobrazují se pouze nejrelevantnější statistiky. Přidejte statistiky podle svých potřeb."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Jejda!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Otevřete nabídku blokovat akce"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Otevřít nastavení zařízení"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Otevřít WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Otevřít úplný výběr médií"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Nebo se přihlaste _zadáním adresy vašeho webu_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Uspořádaný seznam"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organizace"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Ostatní weby"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Přepsáno"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "Telefon"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Stránka"; +/* No comment provided by engineer. */ +"Page Link" = "Odkaz stránku"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Stránka obnovena do konceptů"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Nastavení stránky"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Blok zalomení stránky. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Stránkování"; +/* No comment provided by engineer. */ +"Paragraph" = "Odstavec"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Nadřazená rubrika"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Vložit URL"; /* No comment provided by engineer. */ -"Paste block after" = "Vložte blok za"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Vložit bez formátování"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Vyberte si své oblíbené rozvržení domovské stránky. Později jej můžete upravit a přizpůsobit."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plán"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plány"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Pustit video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Než se pokusíte publikovat, přidejte nějaký obsah."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Oblíbené jazyky"; +/* No comment provided by engineer. */ +"Portrait" = "Na výšku"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Příspěvek"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Rubriky příspěvku"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formát příspěvku"; +/* No comment provided by engineer. */ +"Post Link" = "Odkaz příspěvku"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Příspěvek byl obnoven jako koncept"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Příspěvek od %1$@, z %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Příspěvek vytvořen dne %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Nahrávání příspěvku se nezdařilo"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Příspěvek byl přesunut do koše."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publikováno v %1$@, na %2$@, od %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Aktivita publikování"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Příspěvky"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Stránka příspěvků"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Běží na Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Zobrazte náhled svého nového webu, abyste viděli, co uvidí vaši návštěvníci."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Předchozí upozornění"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Předchozí období"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primární web"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekty"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publikovat"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publikování..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Nákupy"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push oznámení byla vypnuta v nastavení iOS. Přepnutím možnosti „Povolit oznámení“ je znovu zapnete."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Rychlý start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Ohodnoťte nás na App Store"; +/* No comment provided by engineer. */ +"Read more" = "Přečtěte si více"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Číst dál"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Znovu připojeno"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Odkazující"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Podobné příspěvky zobrazí relevantní obsah vašeho webu, přímo pod příspěvky."; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Odebrat tento příspěvek z mých uložených příspěvků."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Odstranit video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Nahradit soubor"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Vyměňte obrázek nebo video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Změnit velikost a oříznutí"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Rozlišení"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Obnovit web"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Obnovte do tohoto bodu"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Opakovaně použitelné bloky nelze upravovat na WordPress pro iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Vrátit čekající změnu"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS byla odeslána"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Vyberte styl odstavce"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Vyberte %@ a přidejte své účty sociálních médií"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Odesílejte oznámení push"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Načíst obrázky z našich serverů"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Nastavit jako stránku příspěvků"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Instalace"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Chyba sdílení"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Zobrazit hlavičku"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Zobrazit podobné příspěvky"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Zobrazit heslo"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Zobrazit obsah příspěvku"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Zobrazit sekci"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Zobrazují se pouze moje příspěvky"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Zobrazeny statistiky pro:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Zobrazuje příspěvky webu."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Zaregistrovat se"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Jazyk webu"; +/* No comment provided by engineer. */ +"Site Logo" = "Logo webu"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Stránka webu"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Časové pásmo webu (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Název webu byl úspěšně změněn"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Weby"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Weby, které je třeba sledovat"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Velikost"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Sociální"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Některá nahrání medií se nezdařila. Tato akce odstraní všechna neúspěšné nahraná média z příspěvku.\nPřesto přepnout?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Zvolené uživatelské jméno už bohužel existuje!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Zvolené uživatelské jméno už bohužel existuje."; +"Sorry, that username is unavailable." = "Zvolené uživatelské jméno už bohužel existuje."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Adresa webu může obsahovat pouze malá písmena (a-z) a číslice."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Seřadit podle"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Zdrojový kód"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Jih"; /* Label for showing the available disk space quota available for media */ "Space used" = "Využitý prostor"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Zrychlete svůj web"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standardní"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Začít znovu"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Začít psát..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Přeškrtnutí"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Pahýl"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Odesláním ke kontrole..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Index reflektoru byl úspěšně vymazán"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Podpora"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Přepnout web"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Výchozí systém"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Tabulka obsahu"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Zobrazení tabulky %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Štítek"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Odkaz štítku"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Značka již existuje"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Řekněte nám, jakou stránku byste chtěli vytvořit"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Pravidla a podmínky"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Pouze text"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Pošlete mi raději kód."; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Děkujeme, že používáte %1$@ od autora %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Aplikace WordPress pro Android má vylepšený vzhled"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Aplikace nemůže rozpoznat odpověď serveru. Zkontrolujte prosím konfiguraci svého webu."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certifikát pro tento server je neplatný. Ty by mohly být připojení k serveru, který předstírá, že je \"%@\", což by mohlo ohrozit vaše důvěrné informace.\n\nBudete přesto důvěřovat certifikátu?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Soubor %1$@ obsahuje vzor škodlivého kódu"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video nelze přidat do knihovny médií."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Šablona byla aktivována"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Je problém připojením k %@. Obnovení připojení k pokračování zveřejnění."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Tato aplikace vyžaduje povolení pro přístupu ke knihovnu médií v zařízení, aby bylo možné přidat fotografie a\/nebo videa do příspěvků. Pokud si to přejete, změňte nastavení soukromí"; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Tato doména není k dispozici"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Hrozba ignorována."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Náhled"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Název"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Název rubriky je povinný."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Chcete přidat fotky a videa do vašeho příspěvku."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Chcete-li pokračovat v tomto účtu Google, nejprve se přihlaste pomocí svého hesla WordPress.com. Toto bude požádáno pouze jednou."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Pořizovat fotky a videa a umožnit použití ve vašich příspěvcích. "; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Přepnout HTML zdroj"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Přepíná styl seřazeného seznamu"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Celkem slov"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Provoz"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Změnit %s na"; - -/* No comment provided by engineer. */ -"Transform block…" = "Změnit blok..."; - /* No comment provided by engineer. */ "Translate" = "Přeložit"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter uživatelské jméno"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Chcete-li získat více nápadů, zadejte klíčové slovo"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Nepojmenovaný web"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Neuspořádaný seznam"; /* Filters Unread Notifications */ "Unread" = "Nepřečtené"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Neuložené změny"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Bez názvu"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Až sedm dní jsou uloženy přihlašovací údaje."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Nahrát média"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Nahrát ikonu webu"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Nahrávání selhalo"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Použít aktuální polohu"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Použijte editor bloků"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Pomocí tohoto odkazu můžete připojit členy svého týmu, aniž byste je museli pozvat jeden po druhém. Kdokoli, kdo navštíví tuto adresu URL, se bude moci zaregistrovat do vaší organizace, i když obdržel odkaz od někoho jiného, takže se ujistěte, že jej sdílíte s důvěryhodnými lidmi."; /* No comment provided by engineer. */ "Use this site" = "Vybrat tuto stránku"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Ověřte svou e-mailovou adresu - pokyny zaslané na %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Verze"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Verze %@ je k dispozici"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Náhled videa není k dispozici"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Titulek videa. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Export videa byl zrušen."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Zobrazení"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Zranitelná šablona: %1$@ (verze %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Administrace"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Vítejte ve čtečce"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Vítejte v nejpopulárnějším nástroji na tvorbu webových stránek na světě."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Jejda, nejde o platný dvoufaktorový ověřovací kód. Zkontrolujte svůj kód a zkuste to znovu!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgety"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Nebude veřejně zobrazeno."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "S tímto výkonným editorem můžete psát na cestách."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Nastavení aplikace WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Odpovědět..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Psaní"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Při návštěvě webu v Safari se na liště v horní části obrazovky zobrazí vaše adresa."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Váš web byl vytvořen!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Nyní pro nové příspěvky používáte editor bloků - skvělé! Chcete-li přejít na klasický editor, přejděte do části „Můj web“> „Nastavení webu“."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[KOMENTÁŘ]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "hodina"; +/* No comment provided by engineer. */ +"archive" = "archiv"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "citace"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "seznam s odrážkami"; + /* Used when displaying author of a plugin. */ "by %@" = "od %@"; +/* No comment provided by engineer. */ +"cite" = "citát"; + /* The menu item to select during a guided tour. */ "connections" = "připojení"; +/* No comment provided by engineer. */ +"container" = "kontejner"; + +/* No comment provided by engineer. */ +"description" = "popis"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "osnova dokumentu"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "dvojitým klepnutím změníte jednotku"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "fanoušek"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/moje-webova-adresa (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "obrázky"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "v \"Aplikaci\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "Dnes později"; +/* No comment provided by engineer. */ +"link" = "odkaz"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "z"; +/* No comment provided by engineer. */ +"ordered list" = "číslovaný seznam"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "ostatní"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "heslo"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "Telefonní číslo"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "příspěvek"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "Číst dále"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "souhrn"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "tyto položky budou smazány:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "dnes"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "WordPress, stránky, stránka, blogy, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "nastavuje se vaše nová doména %@. Váš web vzrušeně dělá kotrmelce!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Darování"; diff --git a/WordPress/Resources/cy.lproj/Localizable.strings b/WordPress/Resources/cy.lproj/Localizable.strings index b4ccf07678e8..094642680706 100644 --- a/WordPress/Resources/cy.lproj/Localizable.strings +++ b/WordPress/Resources/cy.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Mae'r botwm \"rhagor\" yn cynnwys cwymplen sy'n dangos y botymau rhannu"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Ynghylch"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Ychwanegu testun arall"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Ychwanegu gwefan hunan-letya"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albumau"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Aliniad"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "A ydych yn siŵr eich bod am diddymu a dileu'r newidiadau?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Sain, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Awduron"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Dyfyniad Bloc"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Trwm"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Torri'r edefyn sylw i dudalennau lluosog."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Arddull Botwm"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Egluryn"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Gofal!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Categori"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Teitl categori ar goll."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Gwall tystysgrif"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Wedi methu newid"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Gwirio Gwallau Prynu"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Cau sylwadau"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Cysylltiadau"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Cysylltu"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Cysylltu â Chefnogaeth"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Parhau i Weithio"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Methu gwirio'r hyn â brynwyd."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Creu gwefan WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Cyfaddaswch eich gosodiadau gwefan ar gyfer Hoffi, Sylwadau, Dilyn a rhagor."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Rhagosodiadau Gwefannau Newydd"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Gwall Dileu Gwefan"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Description"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Manylion"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Enw Dangos"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dogfen: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Parthau"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Gorffen"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dogfen: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Parthau"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Gorffen"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Dwyrain"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Golygu Cofnod"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Golygu'r botymau rhannu"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Anfonwyd yr e-bost!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL gwag"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Allforio Cynnwys"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Nid yw'r ddelwedd hon wedi llwytho"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Estyn Themâu..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Enw Cyntaf"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Ymlaen"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Rhad ac am Ddim"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Estyn manylion cyfrif"; /* Cancel */ "Give Up" = "Rhoi'r Gorau"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Cynnwys HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Cymorth"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Cuddio bysellfwrdd"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Dal ar gyfer Cymedroli"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Rydw i'n ei Hoffi"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Eicon a Thestun"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Maint Delwedd"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Teitl delwedd"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Delwedd, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Ar unwaith"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Esboniwch, mewn ychydig eiriau, bwrpas y wefan."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Enw defnyddiwr neu gyfrinair anghywir. Ceisiwch fewngofnodi eto."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Mewnosod Cyfrwng"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italig"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Defnyddwyr Hysbys"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Landscape"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Iaith"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Mawr"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Crynodeb Cofnodion Diweddar"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Gadewch i ni Helpu"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Cysylltu â"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Dolenni mewn sylwadau"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Llwytho..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Lleol"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Daeth y Cais Mewngofnodi i Ben"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Cofnodion"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Wedi colli eich cyfrinair?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Llywio"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Maint mwyaf Llwytho Delwedd"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Mis"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Fy Mhroffil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Angen Cymorth?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Diweddaraf"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Nesaf"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Na"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Dim Cysylltiad"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Dim Eitemau"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Dim sylwadau eto"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Dim cofnodion diweddar"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Heb ganfod dim."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Rhestr wedi'i Rhifo"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Wps!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Agor WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Rhestr Drefnus"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Gwefannau Eraill"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Tudalen"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Wedi Adfer Tudalen i'r Drafftiau"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Tudalennu"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraff"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categori Rhiant"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Cynlluniau"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Ieithoedd poblogaidd"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Cofnod"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categoriau Cofnodion"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Fformat Cofnod"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Wedi Adfer Cofnod i'r Drafftiau"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Mae'r cofnod wedi ei symud i'r sbwriel."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Gweithgaredd Cofnodi"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Cofnodion"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premiwm"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Prif Wefan"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projectau"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Cyhoeddus"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Cyhoeddi..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Wedi eu Prynu"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Barnwch ni yn yr App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Wedi ei hailgysylltu"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Cyfeiriwr"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Mae Cofnodion Perthynol yn dangos cynnwys perthnasol o'ch gwefan islaw eich cofnodion"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Newid Maint a Thocio"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Dychwelyd y Newid sydd o dan Ystyriaeth"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Rôl"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS wedi ei anfon"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Dangos Pennyn"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Dangos Cofnodion sy'n Perthyn"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Iaith Gwefan"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Gwefannau"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Maint"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Mae llwytho rhai cyfryngau wedi methu. Bydd y weithred hon yn tynnu'r holl cyfryngau oll wedi methu o'r cofnod.\nCadw beth bynnag?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Ymddiheuriadau, mae'r enw defnyddiwr yna'n bodoli eisoes!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Ymddiheuriadau, mae'r enw defnyddiwr yna'n bodoli eisoes."; +"Sorry, that username is unavailable." = "Ymddiheuriadau, mae'r enw defnyddiwr yna'n bodoli eisoes."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Gall cyfeiriad gwefan gynnwys dim ond llythrennau bach (a-z) a rhifau."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Trefnu yn ôl"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Cod Ffynhonnell"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "De"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Safonol"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Cychwyn Eto"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Llinell Drwodd"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Cefnogaeth"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Newid Gwefan"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Testun yn Unig"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Diolch am ddewis %1$@ gan %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Mae Ap WordPress Android yn Derbyn Adnewyddiad Mawr"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Nid yw'r ap yn gallu a adnabod ymateb y gweinydd. Gwiriwch ffurfweddiad eich gwefan."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Mae'r dystysgrif ar gyfer y gweinydd hwn yn annilys. Gall eich bod yn cysylltu â gweinydd sy'n esgus bod yn “%@” sy'n gallu peryglu eich gwybodaeth gyfrinachol.\n\nHoffech chi ymddiried yn y dystysgrif beth bynnag?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Thema yn fyw"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Bu anhawster cysylltu â %@. Ailgysylltwch i barhau'r cyhoeddusrwydd."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Mae'r ap angen caniatâd i gael mynediad i lyfrgell cyfryngau eich dyfais er mwyn ychwanegu lluniau a\/neu fideo i'ch cofnodion. Newidiwch y gosodiadau preifatrwydd os ydych yn dymuno caniatáu hyn."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Llun bach"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Teitl"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Mae teitl gyfer y categori yn orfodol."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "I ychwanegu lluniau neu fideos i'ch cofnodion."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "I gymryd lluniau neu fideos i'w defnyddio yn eich cofnodion."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Togglo Ffynhonnell yr HTML "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Enw Defnyddiwr Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Gwefan Di-enw"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Rhestr Didrefn"; /* Filters Unread Notifications */ "Unread" = "Heb ei ddarllen"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Newidiadau heb eu Cadw."; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Mae gwerth saith diwrnod o ffeiliau cofnod yn cael eu cadw."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Defnyddio'r Lleoliad Cyfredol"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Defnyddiwch y wefan hon"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Fersiwn"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Fideo, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Darllenwyr"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Gweinyddu WP"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Croeso i'r Darllenydd"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Ni fydd yn cael ei ddangos yn gyhoeddus"; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Ysgrifennu ateb…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Ysgrifennu"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "awr"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/cyfeiriad-fy-ngwefan (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "yn \"Apiau\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "yn hwyrach heddiw"; +/* No comment provided by engineer. */ +"link" = "dolen"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "heddiw"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/da.lproj/Localizable.strings b/WordPress/Resources/da.lproj/Localizable.strings index ece1281bde1d..2a6d74046abe 100644 --- a/WordPress/Resources/da.lproj/Localizable.strings +++ b/WordPress/Resources/da.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Om"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Tilføj alternativ tekst"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albummer"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Justering"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Forfattere"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block Quote"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Fed"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Billedtekst"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Category"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorititel mangler."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certifikatsfejl"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Vælg fil"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakt"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontakt support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Kunne ikke følge websted"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Opret websted på WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Tilpas dit websteds indstillinger for Likes, kommentarer, følgere med mere."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Beskrivelse"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaljer"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Display Name"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Færdig"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Færdig"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Øst"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Rediger indlæg"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Tom URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Filtype"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "First Name"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Viderestil"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Free"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Henter kontooplysninger"; /* Cancel */ "Give Up" = "Give Up"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Hjælp"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skjul tastatur"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Jeg synes godt om den"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Billedstørrelse"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Straks"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursiv"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Landskab"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Sprog"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Stor"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link til"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Henter..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logfiler"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Mistet din adgangskode?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hovednavigation"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Måneder"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Brug for hjælp?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Nyeste"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Næste"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Nej"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Ingen forbindelse"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Ingen kommentarer endnu"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No recent posts"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Sorteret liste"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andre websteder"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Forælderkategori"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Populære sprog"; +/* No comment provided by engineer. */ +"Portrait" = "Portræt"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Indlæg"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Indlægskategorier"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Indlægsformat"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Indlæg genskabt under Kladder"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Indlæg flyttet til papirkurv."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Indlæg"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primært websted"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Offentlig"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Fjern video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS sendt"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Show Related Posts"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Webstedets sprog"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Websteder"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Størrelse"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Beklager, det brugernavn eksisterer allerede!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Beklager, det brugernavn er ikke tilgængeligt."; +"Sorry, that username is unavailable." = "Beklager, det brugernavn er ikke tilgængeligt."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Beklager, brugernavne kan kun indeholde små bogstaver (a-z) og tal."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sort By"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Source Code"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Syd"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Sender til godkendelse..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Skift websted"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Kun tekst"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognize the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniaturebillede"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Titel"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titel på en kategori er obligatorisk."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-brugernavn"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unavngivet websted"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; /* Filters Unread Notifications */ "Unread" = "Unread"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Ingen titel"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload fejlede"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Brug nuværende placering"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Brug dette websted"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Skriv et svar..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "en time"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "følger"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/adresse-til-websted (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "billede"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "senere i dag"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "Liste (sorteret)"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "i dag"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/de.lproj/Localizable.strings b/WordPress/Resources/de.lproj/Localizable.strings index f8495b9686c6..a6faf6d77091 100644 --- a/WordPress/Resources/de.lproj/Localizable.strings +++ b/WordPress/Resources/de.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-30 16:12:06+0000 */ +/* Translation-Revision-Date: 2021-05-05 18:24:22+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: de */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ungesehene Beiträge"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s umgewandelt in %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s ist %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li Wörter, %2$li Zeichen"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s Blockoptionen"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s-Block. Leer"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Block %s. Dieser Block hat ungültigen Inhalt"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "„%s“ wird nicht vollständig unterstützt"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adresszeile %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 Beitragsentwurf hochgeladen"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potenzielle Bedrohung gefunden"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 Stunde"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Der Button „Mehr“ enthält ein Aufklappmenü mit Teilen-Buttons."; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Ein Beitragsbild wurde festgelegt. Tippen, um es zu ändern."; /* Title for a threat */ "A file contains a malicious code pattern" = "Eine Datei enthält ein bösartiges Codemuster"; +/* No comment provided by engineer. */ +"A link to a category." = "Ein Link zu einer Kategorie."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Ein Link zu einer Seite."; + +/* No comment provided by engineer. */ +"A link to a post." = "Ein Link zu einem Beitrag."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Ein Link zu einem Schlagwort."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Eine Liste der Websites in diesem Konto."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Eine Reihe von Schritten, die dir helfen, mit deiner Website ein größeres Publikum zu erreichen."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Ein Schlagwort mit dem Namen „%@“ besteht bereits."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESSE"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Über"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Neue Statistikkarte hinzufügen"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Am Anfang hinzufügen"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Ein Thema hinzufügen"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Füge hier eine individuelle CSS-URL hinzu, die im Reader geladen werden soll. Wenn du Calypso lokal ausführst, kann das etwa folgendermaßen aussehen: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Eine selbst gehostete Website hinzufügen"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Alt-Text hinzufügen"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Beliebiges Thema hinzufügen"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Füge ein Bild oder einen Avatar hinzu, der dieses neue Konto repräsentiert."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Absatz-Block hinzufügen"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Selbst gehostete Website hinzufügen"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Schlagwörter hinzufügen"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Diesen E-Mail-Link hinzufügen"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Diesen Telefonlink hinzufügen"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Die Website-Funktionen werden hinzugefügt"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Alben"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Ausrichtung"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ein Fehler ist aufgetreten."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ein unbekannter Fehler ist aufgetreten. Bitte versuche es erneut."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Genehmigt den Kommentar."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Bist du sicher, dass du abbrechen und die Änderungen verwerfen möchtest?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Bist du sicher, dass du ein Update vornehmen möchtest?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Kunst"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Ab 1. August 2018 lässt Facebook das direkte Teilen von Beiträgen auf Facebook-Profilen nicht mehr zu. Die Verknüpfungen zu Facebook-Seiten bleiben unverändert."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Datei als Link anhängen"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio-Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audiountertitel. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audiountertitel. Leer"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autoren"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Automatisch verwaltet"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Teile automatisch neue Beiträge für deine Social Media-Konten."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Automatische Updates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block-Zitat"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block wurde kopiert"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block wurde ausgeschnitten"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block wurde dupliziert"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block-Editor aktiviert"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Böswillige Anmeldeversuche blockieren"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block wurde eingefügt"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block entfernt"; - -/* No comment provided by engineer. */ -"Block settings" = "Blockeinstellungen"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -936,7 +1097,7 @@ /* Blocklist Title Settings: Comments Blocklist */ -"Blocklist" = "Blocklist"; +"Blocklist" = "Sperrliste"; /* Opens the WordPress Mobile Blog */ "Blog" = "Blog"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Betrachter des Blogs"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Fett"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Kommentar-Threads auf mehrere Seiten aufteilen."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Durchsuche alle unsere Themes, um das für dich perfekte Theme zu finden."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Schutz vor Brute-Force-Angriffen"; @@ -980,7 +1159,10 @@ "Button Style" = "Buttonstil"; /* No comment provided by engineer. */ -"ButtonGroup" = "Schaltflächengruppe"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "Von"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Berechne..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Bildunterschrift"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Vorsicht!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategorie"; +/* No comment provided by engineer. */ +"Category Link" = "Kategorielink"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorietitel fehlt."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Zertifikatsfehler"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Passwort ändern"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Block-Position ändern"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Änderung fehlgeschlagen"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ändere den Geräte-Typ, der für die Vorschau verwendet wird"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Benutzername wird geändert"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Fehler beim Überprüfen der Käufe"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Domain auswählen"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Datei auswählen"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Sollen alle alten Aktivitätsprotokolle gelöscht werden?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Suche löschen"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Kommentarbereich schließen"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Schließe die „Ich“-Ansicht"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Minimiert, %i abgeschlossene Aufgaben, Umschalten maximiert die Liste dieser Aufgaben"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Farbige Hintergründe"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombiniere Fotos, Videos und Text, um ansprechende und antippbare Story-Beiträge zu erstellen, die deine Besucher begeistern."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Verbindungen"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakt"; + /* Support email label. */ "Contact Email" = "Kontakt-E-Mail-Adresse"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Support kontaktieren"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontaktiere uns unter %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Inhaltliche Struktur\nBlöcke: %1$li, Wörter: %2$li, Zeichen: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Weiter"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Weiterarbeiten"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Weiter mit Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "In Blöcke umwandeln"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Kochen"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Kopierter Block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Link in Kommentar kopieren"; /* No comment provided by engineer. */ -"Copy block" = "Block kopieren"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Datei-URL kopieren"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Die Käufe konnten nicht überprüft werden."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Konnte Website nicht abonnieren"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Story-Beitrag erstellen"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com-Website erstellen"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Ein Schlagwort erstellen"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Eine neue Website erstellen"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Erstelle eine neue Website für dein Geschäft, dein Magazin oder deinen persönlichen Blog oder verbinde eine vorhandene WordPress-Installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Erstelle einen Beitrag oder eine Seite"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Erstelle einen Beitrag, eine Seite oder eine Story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Herunterladbares Backup erstellen"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Wird derzeit wiederhergestellt: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Individuelle Nachricht ..."; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Passe deine Website-Einstellungen für Likes, Kommentare, Follows und mehr an."; -/* No comment provided by engineer. */ -"Cut block" = "Block ausschneiden"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dunkel"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17. Dezember 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standard"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Standard-URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standardeinstellungen für neue Beiträge"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Fehler beim Löschen der Website"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Menü löschen"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Dieses Schlagwort löschen"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Beschreibung"; +/* No comment provided by engineer. */ +"Descriptions" = "Beschreibungen"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Gestalten"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Anzeigename"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Zeige hier deine Website-Statistiken der gesamten Zeit an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Zeige hier deine Website-Statistik für diese Woche an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Zeige hier deine heutige Website-Statistik an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dokument: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain-Kontaktdaten"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain-Eigentümer müssen ihre Kontaktinformationen in einer öffentlichen Datenbank aller Domains veröffentlichen. Durch den Datenschutz veröffentlichen wir unsere eigenen Informationen anstatt deinen und leiten sämtliche Kommunikation vertraulich an dich weiter."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Fertig"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Mach dir keine Sorgen"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Zeige hier deine Website-Statistiken der gesamten Zeit an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Zeige hier deine Website-Statistik für diese Woche an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Zeige hier deine heutige Website-Statistik an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dokument: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain-Kontaktdaten"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain-Eigentümer müssen ihre Kontaktinformationen in einer öffentlichen Datenbank aller Domains veröffentlichen. Durch den Datenschutz veröffentlichen wir unsere eigenen Informationen anstatt deinen und leiten sämtliche Kommunikation vertraulich an dich weiter."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Fertig"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Mach dir keine Sorgen"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Um diesen Menüeintrag nach oben oder unten zu verschieben, zweimal tippen und gedrückt halten"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Tippe zweimal, um das Action Sheet zu öffnen und das Bild zu bearbeiten, auszutauschen oder zu löschen"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Tippe zweimal, um das Action Sheet mit den verfügbaren Optionen zu öffnen"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Tippe zweimal, um das Bottom Sheet zu öffnen und das Bild zu bearbeiten, auszutauschen oder zu löschen"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Tippe zweimal, um das Bottom Sheet mit den verfügbaren Optionen zu öffnen"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Zum Wiederholen der letzten Änderung zweimal tippen"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Backup herunterladen"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Datei herunterladen"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Entwürfe"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplizieren"; -/* No comment provided by engineer. */ -"Duplicate block" = "Block duplizieren"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Ost"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@-Block bearbeiten"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Wort für Sperrliste bearbeiten"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Artikel bearbeiten"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Datei bearbeiten"; /* No comment provided by engineer. */ "Edit focal point" = "Fokuspunkt bearbeiten"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Bild bearbeiten"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Bearbeite neue Beiträge und Seiten mit dem Block-Editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Teilen-Buttons bearbeiten"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Den Beitrag zuerst bearbeiten"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Mit dem Webeditor bearbeiten"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-Mail gesendet!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Leer"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Leere URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Aktivieren"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Enddatum"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Vollbild starten"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Gib einen individuellen Wert ein"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Gib ein Passwort ein, um diesen Beitrag zu schützen"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Gib oben andere Wörter ein und wir suchen nach einer passenden Adresse."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Gib deine Serveranmeldedaten ein, um Ein-Klick-Website-Wiederherstellungen von Backups zu aktivieren."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Fehler beim Aktualisieren der Einstellungen zur Beschleunigung der Website"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Ereignis"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Pläne erkunden"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Inhalte exportieren"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Beitragsbild lädt nicht"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Rufe Themes ab ..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Dateityp"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Mit Passwort-Manager ausfüllen"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Vorname"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Alles beheben"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixiert"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Bedrohungen werden behoben"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "American Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Wir haben bereits deine WordPress.com-Kontaktinformationen für dich ausgefüllt. Überprüfe bitte, ob wir die Informationen, die du für diese Domain verwenden möchtest, korrekt eingegeben haben."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Weiter"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Kostenlos"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Bildunterschrift der Galerie. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Website einrichten"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Hole Konto-Informationen"; /* Cancel */ "Give Up" = "Aufgeben"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Wähle einen Namen für deine Website, der am besten zu ihrer Persönlichkeit und Ausrichtung passt. Erste Eindrücke zählen!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML-Inhalt"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Überschrift 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Überschrift 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Hilfe"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Hilfe-Icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Hier siehst du, wie der Beitrag bislang abschneidet."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Verstecke Tastatur"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Zur Freischaltung überprüfen"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurra!\nFast geschafft."; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Wie hat Jetpack es behoben?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Mir gefällt das"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Symbol und Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Wenn du mit Apple oder Google fortfährst und noch kein WordPress.com-Konto hast, erstellst du damit ein Konto und stimmst unseren _Geschäftsbedingungen_ zu."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Wenn du %1$@ entfernst, kann dieser Benutzer nicht mehr auf diese Website zugreifen, aber alle von %2$@ erstellten Inhalte bleiben weiterhin auf der Website."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Bildgröße"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Bildunterschrift. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Bildtitel"; +/* No comment provided by engineer. */ +"Image width" = "Bildbreite"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Bild, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Sofort"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Erkläre in ein paar Worten, worum es auf der Website geht. "; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inaktiv"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Falsche Benutzername oder Passwort. Bitte gib deine Zugangsdaten erneut ein."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infizierte Core-Datei"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Medien einfügen"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Medien einfügen"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Ausgewähltes einfügen"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Die Installation des ersten Plugins auf deiner Website kann bis zu einer Minute dauern. Während dieser Zeit kannst du keine Änderungen an deiner Website vornehmen."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Neu: Story-Beiträge"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursiv"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Bleib auf dem Laufenden über die Leistung deiner Website."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Bekannte Benutzer"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Beschriftung"; +/* No comment provided by engineer. */ +"Landscape" = "Querformat"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Sprache"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Groß"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Zusammenfassung der neuesten Beiträge"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Mehr erfahren"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Weitere Informationen über die Formatierung von Datum und Zeit."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Mehr über Rollen erfahren"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Veraltete Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Wir helfen dir"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Lass mich wissen, wenn du fertig bist!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Ebene %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Ebene %s. Leer."; + /* Title for the app appearance setting for light mode */ "Light" = "Hell"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link auf"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Mit bestehendem Inhalt verlinken"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in Kommentaren"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Listen-Stil"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Laden"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Wird geladen..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Melde dich mit deinem WordPress.com-Benutzernamen und -Passwort an."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Von WordPress abmelden?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Anmeldungsanforderung abgelaufen"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Es sieht so aus, als wäre Jetpack auf deiner Website aktiviert. Glückwunsch!\nBitte melde dich mit deinen WordPress.com-Anmeldedaten an, um Website-Statistiken und Benachrichtigungen zu aktivieren."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Passwort vergessen?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hauptnavigation"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Konten per E-Mail abgleichen"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max. Bildgröße für Upload"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max. Videogröße für Upload"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Medien-Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Mit den Medien ist keine Datei zum Hochladen verknüpft."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Mediendateigröße (%1$@) ist zu groß zum Hochladen. Maximal zulässig sind %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Bei der Medienvorschau ist ein Fehler aufgetreten."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Hochgeladene Medien (%ld Dateien)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Überwache die Laufzeit deiner Website"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Monate"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Mehr auf WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Beliebteste Zeit"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Nach unten verschieben"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Menüeintrag verschieben"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Verschiebt den Kommentar in den Papierkorb."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Musik"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mein Profil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Meine Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigiert zum Anpassen des Verlaufs"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Brauchst du Hilfe?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Neue benutzerdefinierte App-Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Neue Beiträge"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Neueste"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Weiter"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Nächste Schritte"; /* Accessibility label for the next notification button */ "Next notification" = "Nächste Benachrichtigung"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Nächste Periode"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Nein"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Keine Verbindung"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Keine Elemente"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Keine Kommentare bisher"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Keine Beiträge."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Keine aktuellen Beiträge"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Du siehst die E-Mail nicht? Überprüfe deinen Spam- oder Junk-E-Mail-Ordner."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Hinweis: Das Spaltenlayout kann je nach Theme und Bildschirmgröße variieren"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nichts gefunden."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Anzahl"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Nummerierte Liste"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "1Password-Button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Zeige nur die relevantesten Statistiken an. Einsichten hinzufügen, die deinem Bedarf entsprechen."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hoppala!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Öffne das Menü mit den Blockaktionen"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Geräte-Einstellungen öffnen"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "WordPress starten"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Vollständige Medienauswahl öffnen"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Oder melde dich an, indem du _deine Website-Adresse eingibst_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Geordnete Liste"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andere Websites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Überschrieben"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Seite"; +/* No comment provided by engineer. */ +"Page Link" = "Seitenlink"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Seite unter „Entwürfe“ wiederhergestellt"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Seiten-Einstellungen"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Seitenumbruch-Block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Seitennummerierung"; +/* No comment provided by engineer. */ +"Paragraph" = "Absatz"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Übergeordnete Kategorie"; @@ -4486,7 +5442,7 @@ "Paste URL" = "URL einfügen"; /* No comment provided by engineer. */ -"Paste block after" = "Einfügen von Block nach"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Ohne Formatierung einfügen"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Wähle ein Layout für deine Startseite aus, das dir gefällt. Du kannst es später bearbeiten und anpassen."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Planung"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Tarife"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Video abspielen"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Bitte füge vor der Veröffentlichung beliebige Inhalte hinzu."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Beliebte Sprachen"; +/* No comment provided by engineer. */ +"Portrait" = "Hochformat"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Veröffentlichen"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Beitragskategorien"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Artikel-Formatvorlage"; +/* No comment provided by engineer. */ +"Post Link" = "Beitragslink"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Beitrag als Entwurf wiederhergestellt"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Veröffentlicht durch %1$@, von %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Beitrag erstellt am %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Beitrag konnte nicht hochgeladen werden"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Beitrag in den Papierkorb verschoben."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Veröffentlicht in %1$@, um %2$@, von %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Beitragsaktivität"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Artikel"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Beitragsseite"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Bereitgestellt von Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Zeige eine Vorschau deiner neuen Website an, um zu sehen, wie sie deinen Besuchern angezeigt wird."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Vorherige Benachrichtigung"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Vorherige Periode"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Haupt-Website"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekte"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Öffentlich"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Veröffentliche ..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Käufe"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-Benachrichtigungen wurden in den iOS-Einstellungen deaktiviert. Aktiviere \"Benachrichtigungen erlauben\", um sie wieder zu aktivieren."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Schnellstart"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Bewerte uns im App-Store"; +/* No comment provided by engineer. */ +"Read more" = "Weiterlesen"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Weiterlesen"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Erneut verbunden"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Als „Ähnliche Beiträge“ werden relevante Inhalte von deiner Website unter deinen Beiträgen angezeigt."; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Diesen Beitrag aus meinen gespeicherten Beiträgen entfernen."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Video entfernen"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Datei ersetzen"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Bild oder Video ersetzen"; @@ -5187,7 +6260,7 @@ "Reply to post…" = "Antwort auf Beitrag…"; /* The title of a button that triggers reporting of a post from the user's reader. */ -"Report this post" = "Report this post"; +"Report this post" = "Diesen Beitrag melden"; /* An explaination of a setting. */ "Require manual approval for comments that include more than this number of links." = "Kommentare mit mehr als dieser Anzahl von Links müssen manuell genehmigt werden."; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Größe ändern & Zuschneiden"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Auflösung"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Website wiederherstellen"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Zu diesem Punkt wiederherstellen"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Wiederverwendbare Blöcke sind auf WordPress für iOS nicht bearbeitbar"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Ausstehende Änderung rückgängig machen"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Rolle"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS gesendet"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Absatz-Stil auswählen"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Wähle %@ aus, um deine Social-Media-Konten hinzuzufügen"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Push-Benachrichtigungen senden"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Stelle Bilder über unsere Server bereit"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Als Beitragsseite festlegen"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Einrichtung"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Fehler beim Teilen"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Header anzeigen"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Ähnliche Beiträge anzeigen"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Passwort anzeigen"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Beitragsinhalt anzeigen"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Abschnitt anzeigen"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Zeigt nur meine Beiträge an"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Statistiken anzeigen für:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Die Beiträge der Website anzeigen."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Registrieren"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Website-Sprache"; +/* No comment provided by engineer. */ +"Site Logo" = "Website-Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Website-Seite"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Zeitzone der Website (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Website-Titel erfolgreich geändert"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Websites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Websites, denen du folgen möchtest"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Größe"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social Media"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Einige Medien-Uploads sind fehlgeschlagen. Durch diese Aktion werden alle Medien, für die das Hochladen fehlgeschlagen ist, aus dem Beitrag entfernt.\nTrotzdem speichern?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Tut mir Leid, dieser Benutzername existiert bereits!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Bedaure, dieser Benutzername ist nicht verfügbar."; +"Sorry, that username is unavailable." = "Bedaure, dieser Benutzername ist nicht verfügbar."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Benutzernamen können leider nur Kleinbuchstaben (a-z) und Zahlen enthalten."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sortieren nach"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Quelltext"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Süd"; /* Label for showing the available disk space quota available for media */ "Space used" = "Belegter Speicherplatz"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Verkürze die Ladezeit deiner Website"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Neu beginnen"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Fang an zu schreiben..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Durchstreichen"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Zur Überprüfung vorlegen ..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Spotlight-Index erfolgreich gelöscht"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Website wechseln"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systemstandard"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Inhaltsverzeichnis"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabelle zeigt %@ an"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Schlagwort"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Schlagwort-Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Das Schlagwort existiert bereits"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Teile uns mit, welche Art von Website du erstellen möchtest"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Allgemeine Geschäftsbedingungen"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Nur-Text"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Code per SMS senden"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Danke, dass du dich für %1$@ von %2$@ entschieden hast."; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Die WordPress-App für Android wird rundum verschönert"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Die App konnte die Rückmeldung vom Server nicht verarbeiten. Bitte überprüfe die Konfiguration deiner Website."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Das Zertifikat für diesen Server ist ungültig. Du könntest zu einem Server verbinden, der nur vorgibt \"%@\" zu sein, was ein Sicherheitsrisiko darstellt.\n\nMöchtest Du dem Zertifikat trotzdem vertrauen?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Die Datei %1$@ enthält ein bösartiges Codemuster"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Das Video konnte nicht zur Mediathek hinzugefügt werden."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme aktiviert"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Problem beim Herstellen einer Verbindung mit %@. Stelle die Verbindung erneut her, um mit dem Veröffentlichen fortzufahren."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Diese App benötigt das Recht, auf die Mediathek deines Geräts zuzugreifen, um deinen Beiträgen Fotos und\/oder Videos hinzuzufügen. Wenn du dies zulassen möchtest, ändere bitte die Datenschutzeinstellungen."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Diese Domain ist nicht verfügbar"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Bedrohung ignoriert."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Vorschaubild"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Titel"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titel für eine Kategorie ist erforderlich."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Um deinen Beiträgen Fotos oder Videos hinzuzufügen."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Um mit diesem Google-Konto fortzufahren, melde dich bitte zuerst mit deinem WordPress.com-Passwort an. Dies wird nur einmal nachgefragt."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Um Fotos oder Videos für deine Beiträge aufzunehmen."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Zum HTML-Quellcode wechseln"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Schaltet den Stil der geordneten Liste um"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Wörter insgesamt"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "%s umwandeln in "; - -/* No comment provided by engineer. */ -"Transform block…" = "Block umwandeln …"; - /* No comment provided by engineer. */ "Translate" = "Übersetzen"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-Benutzername"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Gib ein Stichwort ein, um weitere Ideen zu erhalten"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unbenannte Website"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Ungeordnete Liste"; /* Filters Unread Notifications */ "Unread" = "Ungelesen"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Ungesicherte Änderungen"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Ohne Titel"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Es werden Protokolle von bis zu sieben Tagen gespeichert."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Medieninhalt hochladen"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Eine Website-Icon hochladen"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Lade für dein Website-Logo ein Bild hoch oder wähle eins aus deiner Mediathek aus"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Hochladen fehlgeschlagen"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Nutze aktuellen Standort"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Block-Editor benutzen"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Verwende diesen Link, um deine Teammitglieder einzuladen. Jeder, der diese URL besucht, kann sich bei deiner Organisation registrieren, auch wenn er oder sie den Link von jemand anderem erhalten hat. Teile ihn also nur mit vertrauenswürdigen Personen."; /* No comment provided by engineer. */ "Use this site" = "Diese Website verwenden"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Überprüfe deinen Posteingang – eine Anleitung wurde an %@ gesendet"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ ist verfügbar"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video-Vorschau nicht verfügbar."; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Videountertitel. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video-Export abgebrochen"; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Besucher"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Gefährdetes Theme %1$@ (Version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Willkommen zum Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Willkommen beim beliebtesten Website-Baukasten der Welt."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ups, das ist kein gültiger zweistufiger Verifizierungscode. Überprüfe deinen Code und versuche es noch einmal!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Wird nicht öffentlich angezeigt."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Mit diesem leistungsstarken Editor kannst du auch von unterwegs aus Beiträge veröffentlichen."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress-App-Einstellungen"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Schreib eine Antwort …"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Schreiben"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Wenn du deine Website im Safari aufrufst, wird die Adresse deiner Website oben in der Leiste angezeigt."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Deine Website wurde erstellt."; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Großartig! Du nutzt jetzt den Block-Editor für neue Beiträge! Wenn du zum klassischen Editor wechseln möchtest, gehe zu „Meine Website“ > „Website-Einstellungen“."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[KOMMENTAR]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "eine Stunde"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "Audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "von %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "Verbindungen"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "Gliederung des Dokuments"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "Zum Wechseln der Einheit zweimal tippen"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "z. B. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "z. B. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "Follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/meine-website-adresse (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "Bild"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "unter „Apps“"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "später heute"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "von"; +/* No comment provided by engineer. */ +"ordered list" = "nummerierte Liste"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "andere"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "Passwort"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "Telefonnummer"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "Beitrag"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "Zusammenfassung"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Diese Auswahl wird gelöscht:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "heute"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, websites, website, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Deine neue Domain „%@“ wird eingerichtet. Wir hoffen, du nutzt alle tollen neuen Möglichkeiten deiner Website!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/en-AU.lproj/Localizable.strings b/WordPress/Resources/en-AU.lproj/Localizable.strings index de38a2283c82..fa1d12ad5712 100644 --- a/WordPress/Resources/en-AU.lproj/Localizable.strings +++ b/WordPress/Resources/en-AU.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li words, %2$li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Address"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "About"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Authors"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block Quote"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Category"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customise your site settings for Likes, Comments, Follows, and more."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Description"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Display Name"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Done"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Done"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "East"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edit Post"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Empty URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "First Name"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Forward"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Free"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Getting account information"; /* Cancel */ "Give Up" = "Give Up"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Help"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "I Like It"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %1$@, that user will no longer be able to access this site, but any content that was created by %2$@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Immediately"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Landscape"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link To"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Loading..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%1$@) is too large to upload. Maximum allowed is %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Months"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Need Help?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "No"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No recent posts"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "Phone"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Parent Category"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %1$@, from %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Post moved to trash."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %1$@, at %2$@, by %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Show Related Posts"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Size"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Sorry, that username already exists!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; +"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sort By"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Source Code"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "South"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Text Only"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %1$@ by %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognise the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicising."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Title"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Title for a category is mandatory."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; /* Filters Unread Notifications */ "Unread" = "Unread"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export cancelled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Write a reply…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "later today"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "today"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/en-CA.lproj/Localizable.strings b/WordPress/Resources/en-CA.lproj/Localizable.strings index 106165044976..23b96c2ce40b 100644 --- a/WordPress/Resources/en-CA.lproj/Localizable.strings +++ b/WordPress/Resources/en-CA.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li words, %2$li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "About"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Authors"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block Quote"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating…"; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Category"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %1$li, Words: %2$li, Characters: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Description"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Display Name"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Done"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Done"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "East"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edit Post"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the Block Editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Empty URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes…"; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "First Name"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Forward"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Free"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Getting account information"; /* Cancel */ "Give Up" = "Give Up"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Help"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "I Like It"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %1$@, that user will no longer be able to access this site, but any content that was created by %2$@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Immediately"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Landscape"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link To"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Loading…"; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%1$@) is too large to upload. Maximum allowed is %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Months"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customise the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Need Help?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "No"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No recent posts"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Parent Category"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %1$@, from %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Post moved to trash."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %1$@, at %2$@, by %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing…"; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Show Related Posts"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site time zone (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Size"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Sorry, that username already exists!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; +"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sort By"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Source Code"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "South"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review…"; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Text Only"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %1$@ by %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognise the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Title"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Title for a category is mandatory."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; /* Filters Unread Notifications */ "Unread" = "Unread"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted people."; /* No comment provided by engineer. */ "Use this site" = "Use this site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export cancelled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Write a reply…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "later today"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "today"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/en-GB.lproj/Localizable.strings b/WordPress/Resources/en-GB.lproj/Localizable.strings index 3362d752e01d..4e19c43bf203 100644 --- a/WordPress/Resources/en-GB.lproj/Localizable.strings +++ b/WordPress/Resources/en-GB.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-20 07:37:10+0000 */ +/* Translation-Revision-Date: 2021-05-04 11:11:55+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: en_GB */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li words, %2$li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "– Select –"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "One potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25\/50\/25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30\/70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33\/33\/33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50\/50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70\/30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Address"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "About"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram, or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally, this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay – great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add Paragraph Block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customise its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Align column centre"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Authors"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Auto Updates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block Quote"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Category"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customisations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colourful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %1$li, Words: %2$li, Characters: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customise your site settings for Likes, Comments, Follows, and more."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = " 6 December 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Description"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Display Name"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Done"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags, and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Done"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms appear;"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "East"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edit Post"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the Block Editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Empty URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; +/* No comment provided by engineer. */ +"February 21, 2019" = "21 February 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "First Name"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Forward"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Free"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Getting account information"; /* Cancel */ "Give Up" = "Give Up"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves”. – Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Help"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "I Like It"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %1$@, that user will no longer be able to access this site, but any content that was created by %2$@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, and Title"; + /* Undated post time label */ "Immediately" = "Immediately"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table – perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organise content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Landscape"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when you are finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link To"; +/* No comment provided by engineer. */ +"Link color" = "Link colour"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Loading..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; +/* No comment provided by engineer. */ +"Main color" = "Main colour"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Maximum number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "7 May 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%1$@) is too large to upload. Maximum allowed is %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears – still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Months"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools and options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backwards"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forwards"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Bin."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafés"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customise the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Need Help?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "No"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No recent posts"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "Phone"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Parent Category"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favourite homepage layout. You can edit and customise it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %1$@, from %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Post moved to bin."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %1$@, at %2$@, by %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Show Related Posts"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login and logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site time zone (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Size"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid colour"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Sorry, that username already exists!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; +"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sort By"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Source Code"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "South"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Text Only"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %1$@ by %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognise the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image URL is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicising."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide centre column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Title"; +/* No comment provided by engineer. */ +"Title & Date" = "Title and Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title and Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Title for a category is mandatory."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, and Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; /* Filters Unread Notifications */ "Unread" = "Unread"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organisation, even if they received the link from somebody else, so make sure that you share it with trusted people."; /* No comment provided by engineer. */ "Use this site" = "Use this site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, browser tabs, public search results, etc, to help recognise a site."; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your e-mail address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor, you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Write a reply…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts - great! If you’d like to change to the classic editor, go to ‘My site’ > ‘Site settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "Atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "eBook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "later today"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "today"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "– Kobayashi Issa (– 茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/es.lproj/Localizable.strings b/WordPress/Resources/es.lproj/Localizable.strings index 0b010bae068e..4d0c17236c28 100644 --- a/WordPress/Resources/es.lproj/Localizable.strings +++ b/WordPress/Resources/es.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-20 10:50:37+0000 */ +/* Translation-Revision-Date: 2021-05-05 18:18:02+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: es */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d entradas no vistas"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformado a %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li palabras, %2$li caracteres"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "Opciones del bloque %s"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloque %s. Vacío"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloque %s. Este bloque tiene contenido no válido"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "«%s» no es totalmente compatible"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Línea de dirección %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Subida 1 entrada en borrador"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Encontrada 1 amenza potencial"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hora"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "El botón «Más» contiene un desplegable que muestra los botones para compartir."; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Está establecida una imagen destacada. Toca para cambiarla."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un archivo contiene un patrón de código malicioso"; +/* No comment provided by engineer. */ +"A link to a category." = "Un enlace a una categoría."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Un enlace a una página."; + +/* No comment provided by engineer. */ +"A link to a post." = "Un enlace a una entrada."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Un enlace a una etiqueta."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Una lista de sitios en esta cuenta."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Una serie de pasos para ayudarte a hacer crecer la audiencia de tu sitio."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Ya existe una etiqueta con el nombre '%@'"; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "DIRECCIÓN"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Acerca de"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Añadir una nueva tarjeta de estadísticas"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Añadir al principio"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Añadir un debate"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Añade aquí una URL del CSS personalizado para que se cargue en el lector. Si estás ejecutando Calypso localmente, esto puede ser algo como: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Añadir un sitio autoalojado"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Añade texto alt"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Añadir cualquier debate"; +/* No comment provided by engineer. */ +"Add caption" = "Añadir leyenda"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Añade una imagen o avatar para representar a esta nueva cuenta."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Añadir un bloque de párrafo"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Añadir sitio autoalojado"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Añadir etiquetas"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Añadir este enlace de correo electrónico"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Añadir este enlace de teléfono"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Añadiendo las características del sitio"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Álbumes"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alineación"; @@ -576,10 +716,10 @@ "Allow this connection to be used by all admins and users of your site." = "Permite que todos los administradores y usuarios de tu sitio utilicen esta conexión."; /* Allowlisted IP Addresses Title */ -"Allowlisted IP Addresses" = "Direcciones IP en lista blanca"; +"Allowlisted IP Addresses" = "Allowlisted IP Addresses"; /* Jetpack Settings: Allowlisted IP addresses */ -"Allowlisted IP addresses" = "Direcciones IP en lista blanca"; +"Allowlisted IP addresses" = "Lista de direcciones IP permitidas"; /* Instructions for users with two-factor authentication enabled. */ "Almost there! Please enter the verification code from your authenticator app." = "¡Ya falta poco! Por favor, introduce el código de verificación de tu aplicación authenticator."; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ha ocurrido un error."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ha ocurrido un error desconocido. Por favor inténtalo de nuevo."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprueba el comentario."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "¿Estás seguro de que quieres cancelar y descartar los cambios?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "¿Estás seguro de que quieres actualizar?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Arte"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Desde el 1 de agosto de 2018 Facebook ya no permite compartir directamente entradas a perfiles de Facebook. Las conexiones con páginas de Facebook siguen sin cambios."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Adjuntar archivo como enlace"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Reproductor de audio"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Leyenda del audio. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Leyenda del audio. Vacía"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autores"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Gestión automática"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Comparte automáticamente las nuevas entradas en tus cuentas de medios sociales."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Actualizaciones automáticas"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Bloquear cita"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Bloque copiado"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Bloque cortado"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Bloque duplicado"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor de bloques activado"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquear intentos de acceso malintencionados"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Bloque pegado"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Bloque eliminado"; - -/* No comment provided by engineer. */ -"Block settings" = "Ajustes del bloque"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Bloquear este sitio"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Lector del blog"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Negrita"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Separar los hilos de comentarios en diversas páginas."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Navega por todos nuestros temas para encontrar el que se adapte a ti. "; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Protección frente a ataques de fuerza bruta"; @@ -980,7 +1159,10 @@ "Button Style" = "Estilo del botón"; /* No comment provided by engineer. */ -"ButtonGroup" = "Grupo de botones"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "Por "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculando…"; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Cámara"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Pie de ilustración"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "¡Cuidado!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Categoría"; +/* No comment provided by engineer. */ +"Category Link" = "Enlace de la categoría"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta el título de la categoría"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Error del certificado"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Cambiar contraseña"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Cambiar la posición del bloque"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Se ha producido un error al realizar el cambio"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Cambia el tipo de dispositivo usado para la vista previa"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Cambiando el nombre de usuario"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Error al comprobar las compras"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Elegir dominio"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Elegir el archivo"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "¿Vaciar todos los registros de actividad antiguos?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Vaciar la búsqueda"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Cerrar los comentarios"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Cerrar la pantalla «Yo»"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Código"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Contraída, %i tareas completadas, al cambiar se expande la lista de estas tareas"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Fondos coloridos"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Ajustes de columna"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combina fotos, vídeos y texto para crear entradas de historias atractivas y accesibles que les encantarán a tus visitantes."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Conexiones"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contacto"; + /* Support email label. */ "Contact Email" = "Correo electrónico de contacto"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contacta con soporte"; +/* No comment provided by engineer. */ +"Contact us" = "Contáctanos"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contacta con nosotros a través de %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Estructura del contenido\nBloques: %1$li, Palabras: %2$li, Caracteres: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continuar"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Sigue con WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continúa trabajando"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuando con Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convertir a bloques"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cocina"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Bloque copiado"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copiar enlace al comentario"; /* No comment provided by engineer. */ -"Copy block" = "Copiar bloque"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copiar la URL del archivo"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "No se han podido comprobar las compras del sitio."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "No se pudo seguir el sitio"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Crear una entrada de historia"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Crear sitio en WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Crea una etiqueta"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Crear un nuevo sitio"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Crear un nuevo sitio de negocios, revista o blog personal; o conecta con una instalación existente de WordPress."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Crear una entrada o página"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Crear una entrada, página o historia"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Crear una copia de seguridad descargable"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Estamos restaurando: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Mensaje personalizado…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personaliza los ajustes de tu sitio para los «me gusta», comentarios, seguimientos y más."; -/* No comment provided by engineer. */ -"Cut block" = "Cortar bloque"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Oscuro"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 de diciembre de 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Por defecto"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL por defecto"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Opciones predeterminadas para entradas nuevas"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Se ha producido un error al eliminar el sitio"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Borrar menú"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Borrar esta etiqueta"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Descripción"; +/* No comment provided by engineer. */ +"Descriptions" = "Descripciones"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Diseño"; /* Title for the desktop web preview */ "Desktop" = "Escritorio"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalles"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nombre público"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Muestra aquí todas las estadísticas de tu sitio. Configúralo en la aplicación WordPress en las estadísticas de tu sitio."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Muestra aquí las estadísticas de tu sitio para esta semana. Configúralo en las estadísticas del sitio en la aplicación de WordPress."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Muestra aquí las estadísticas de tu sitio para al día de hoy. Configúralo en la aplicación WordPress en las estadísticas de tu sitio."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Documento: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Información de contacto del dominio"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Los propietarios de dominios deben compartir la información de contacto en una base de datos pública de todos los dominios. Con la protección de privacidad, publicamos nuestra propia información en lugar de la tuya y te enviamos de forma privada cualquier comunicación."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Dominios"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Hecho"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "No te preocupes"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Muestra aquí todas las estadísticas de tu sitio. Configúralo en la aplicación WordPress en las estadísticas de tu sitio."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Muestra aquí las estadísticas de tu sitio para esta semana. Configúralo en las estadísticas del sitio en la aplicación de WordPress."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Muestra aquí las estadísticas de tu sitio para al día de hoy. Configúralo en la aplicación WordPress en las estadísticas de tu sitio."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Documento: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Información de contacto del dominio"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Los propietarios de dominios deben compartir la información de contacto en una base de datos pública de todos los dominios. Con la protección de privacidad, publicamos nuestra propia información en lugar de la tuya y te enviamos de forma privada cualquier comunicación."; + +/* Title for the Domains list */ +"Domains" = "Dominios"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Hecho"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "No te preocupes"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Haz un toque doble y manténlo para mover este elemento del menú arriba o abajo"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Toque doble para abrir la hoja de acción para editar, reemplazar o vaciar la imagen"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Toca dos veces para abrir la hoja de acción con las opciones disponibles"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Toque doble para abrir la hoja del fondo para editar, reemplazar o vaciar la imagen"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Toca dos veces para abrir la hoja inferior con las opciones disponibles"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Toca dos veces para rehacer el último cambio"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Descargar copia de seguridad"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Descargar archivo"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Descargas"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Borradores"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicar"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicar bloque"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Este"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Editar el bloque %@ "; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Editar palabra de la lista negra"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editar entrada"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Editar el archivo"; /* No comment provided by engineer. */ "Edit focal point" = "Editar el punto focal"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Editar imagen"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edita nuevas entradas y páginas con el editor de bloques."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editar botones para compartir"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Editar la entrada primero"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Editar usando el editor web"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "¡Correo electrónico enviado!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vacío"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vacía"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Activar"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Fecha de finalización"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Entrar en pantalla completa"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Introduce un valor personalizado"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Introduce una contraseña para proteger esta entrada"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Introduce arriba distintas palabras y buscaremos una dirección que coincida."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Introduce las credenciales de tu servidor para activar las restauraciones con un clic de las copias de seguridad."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error al actualizar los ajustes de acelerar tu sitio"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Evento"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explorar planes"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportar el contenido"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "No se pudo cargar la imagen destacada"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Obteniendo temas..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo de archivo"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Rellenar con el gestor de contraseñas"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Nombre"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Corregir todo"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Corregida"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Corrigiendo amenazas"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fútbol"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Para tu comodidad, hemos rellenado previamente tu información de contacto de WordPress.com. Por favor, revísala para asegurarte de que es la información correcta que deseas utilizar para este dominio."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Adelante"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Gratuito"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Leyenda de la galería. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Pon tu sitio en marcha"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Recuperando la información de la cuenta"; /* Cancel */ "Give Up" = "Renunciar"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dale a tu sitio un nombre que refleje su personalidad y temática. ¡Las primeras impresiones cuentan!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Contenido HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Encabezado 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Encabezado 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Cabecera 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Cabecera 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Ayuda"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Icono de ayuda"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Así es como ha funcionado la entrada hasta ahora."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Esconder teclado"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Conservar para moderación"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "¡Hurra!\nCasi está hecho"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "¿Cómo lo solucionó Jetpack?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Me gusta"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icono y texto"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Si continúas con Apple o Google y aún no tienes una cuenta de WordPress.com, crearás una cuenta y aceptas nuestros _términos del servicio_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Si eliminas a %1$@, ese usuario ya no podrá acceder a este sitio, aunque todo el contenido que haya creado %2$@ permanecerá en el sitio."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Tamaño de imagen"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Leyenda de la imagen. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Título de la imagen"; +/* No comment provided by engineer. */ +"Image width" = "Ancho de la imagen"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagen: %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Inmediatamente"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "En pocas palabras, explica de qué trata este sitio."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactivo"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "El nombre de usuario o la contraseña son incorrectos. Introduce de nuevo tus datos de acceso."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Archivo principal infectado"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insertar elemento multimedia"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insertar un archivo multimedia"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insertar lo seleccionado"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalar el primer plugin en tu sitio puede llevarte como mucho 1 minuto. Durante este tiempo no podrás hacer cambios en tu sitio."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Presentando las entradas de historias"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Cursiva"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mantente al día sobre el rendimiento de tu sitio."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Usuarios conocidos"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etiqueta"; +/* No comment provided by engineer. */ +"Landscape" = "Horizontal"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Idioma"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Resumen de las últimas entradas"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Leer más"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Aprende más sobre el formato de fecha y hora."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Saber más sobre los perfiles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Iconos heredados"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Deja que te ayudemos"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "¡Avísame cuando haya terminado!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Nivel %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Nivel %s. Vacío."; + /* Title for the app appearance setting for light mode */ "Light" = "Claro"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Enlace a"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Enlaza a contenido existente"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Enlaces en los comentarios"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Estilo de lista"; +/* No comment provided by engineer. */ +"List text" = "Texto de la lista"; + /* Title of the screen that load selected the revisions. */ "Load" = "Cargar"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Cargando..."; +/* No comment provided by engineer. */ +"Loading…" = "Cargando..."; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Accede con tu nombre de usuario y contraseña de WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "¿Salir de WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "La petición de acceso ha expirado"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Registros"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Parece que tienes Jetpack instalado. ¡Enhorabuena! Accede con tus credenciales de WordPress.com para activar las estadísticas y los avisos."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "¿Has perdido tu contraseña?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navegación principal"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Comprobar cuentas usando el correo electrónico"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Tamaño máximo para la carga de imágenes"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Tamaño máximo de subida de vídeo"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Subidas de medios"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Los medios no están asociados a un archivo a subir."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "El tamaño del medio (%1$@) es demasiado grande para subirlo. El máximo permitido es de %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Fallo en la vista previa del medio."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Medios subidos (%ld archivos)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Vigila el tiempo de actividad de tu sitio"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Meses"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Más en WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Lo más popular"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Mover hacia abajo"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Mover elemento del menú"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Traslada el comentario a la papelera."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Música"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mi perfil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Mis tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nombre"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navega para personalizar el degradado"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "¿Necesitas ayuda?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nueva palabra en la lista negra"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nuevos iconos personalizados de la aplicación"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Entradas nuevas"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "El más nuevo"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Siguiente"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Siguientes pasos"; /* Accessibility label for the next notification button */ "Next notification" = "Siguiente notificación"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Periodo siguiente"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "No"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Sin conexión"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Sin elementos"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No hay comentarios"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No hay entradas."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No hay entradas recientes"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "¿No ves el correo electrónico? Comprueba tu carpeta de spam o correo no deseado."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Nota: el diseño de la columna puede variar entre temas y tamaños de pantalla"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "No se ha encontrado nada."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Número"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerada"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Botón de One Password"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Ver solo las estadísticas más relevantes. Añade las perspectivas que encajan con tus necesidades."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "¡Vaya!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Abrir el menú de acciones de bloques"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Abrir ajustes del dispositivo"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Abrir WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Abrir selector completo de multimedia"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "O accede _introduciendo la dirección de tu sitio_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Lista ordenada"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organización"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Otros sitios"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Anulado"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELÉFONO"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; +/* No comment provided by engineer. */ +"Page Link" = "Enlace a la página"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Se ha restaurado la página en Borradores"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Ajustes de la página"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Bloque de salto de página. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginación"; +/* No comment provided by engineer. */ +"Paragraph" = "Párrafo"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoría superior"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Pegar URL"; /* No comment provided by engineer. */ -"Paste block after" = "Pegar el bloque después"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Pegar sin formato"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Elige tu diseño favorito para la página de inicio. Puedes editarlo y personalizarlo más tarde."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Planes"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Reproduce vídeo"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Por favor, añade algo de contenido antes de tratar de publicar."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Idiomas populares"; +/* No comment provided by engineer. */ +"Portrait" = "Vertical"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publicar"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorías de entrada"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato de entrada"; +/* No comment provided by engineer. */ +"Post Link" = "Enlace a la entrada"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Se ha restaurado la entrada a borradores"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Entrada de %1$@, desde %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Entrada creada el %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Entrada que falló al subirse"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Se ha enviado la entrada a la papelera."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicado en %1$@, en %2$@, por %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Actividad de publicación"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Entradas"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Página de entradas"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Funciona con Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Previsualiza tu nuevo sitio para ver lo que verán tus visitantes."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Notificación anterior"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Periodo anterior"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sitio principal"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Proyectos"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Pública"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publicando..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Compras"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Los avisos instantáneos se han desactivado en los ajustes de iOS. Cambia «Permitir avisos» para volver a activarlos."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Inicio rápido"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Puntúanos en la App Store"; +/* No comment provided by engineer. */ +"Read more" = "Leer más"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Leer en"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Conectado de nuevo"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referencia"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Las entradas relacionadas muestran contenido relacionado de tu sitio bajo tus entradas"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Borra esta entrada de mis entradas guardadas."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Eliminar vídeo"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Reemplazar archivo"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Reemplazar la imagen o vídeo"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Cambiar tamaño y recortar"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolución"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restaurar sitio"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restaurar hasta este punto"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Los bloques reutilizables no se pueden editar en WordPress para iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Deshacer el cambio pendiente"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Perfil"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "Se ha enviado un SMS"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Elegir el estilo del párrafo"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Selecciona el %@ para añadir tus cuentas de redes sociales"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Enviar Notificaciones"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Sirve imágenes desde nuestros servidores"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Configurar como página de entradas"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Configuración"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Error al compartir"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Mostrar cabecera"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Mostrar entradas relacionadas"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Mostrar la contraseña"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Muestra el contenido de la entrada"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Mostrar la sección"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Mostrando solo mis entradas"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Mostrando estadísticas para:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Muestra las entradas del sitio."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Registrarse"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Idioma del sitio"; +/* No comment provided by engineer. */ +"Site Logo" = "Logotipo del sitio"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Página del sitio"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Zona horaria del sitio (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Título del sitio cambiado correctamente"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sitios"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sitios a seguir"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Tamaño"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Error al cargar algunos elementos multimedia. Esta acción eliminará todos los elementos multimedia con errores de la entrada.\n¿Quieres guardar de todos modos?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Este usuario ya existe."; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Lo sentimos, este nombre de usuario no está disponible"; +"Sorry, that username is unavailable." = "Lo sentimos, este nombre de usuario no está disponible"; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "El nombre de usuario sólo puede contenter letras minúsculas (a-z) y números."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Ordenar por"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Código fuente"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sur"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espacio utilizado"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Acelera tu sitio"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Estándar"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Empezar de nuevo"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Empieza a escribir…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Tachado"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Esbozo"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Enviando para revisión..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Índice de spotlight vaciado con éxito"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Soporte"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Cambiar de sitio"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Valores por defecto del sistema"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Tabla de contenidos"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabla mostrando %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiqueta"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Enlace de la etiqueta"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "La etiqueta ya existe"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Cuéntanos qué clase de sitio te gustaría hacer"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Términos y condiciones"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Solo texto"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Envía un código por mensaje de texto"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Gracias por elegir %1$@ de %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "La aplicación para Android ha recibido una importante actualización"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "La aplicación no reconoce la respuesta del servidor. Comprueba la configuración de tu sitio."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "El certificado para este servidor no es válido. Puede que estés conectando con un servidor que aparenta ser «%@», lo que podría poner en peligro tu información confidencial.\n\n¿Deseas confiar en el certificado de todos modos?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "El archivo %1$@ contiene un patrón de código malicioso"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "No se pudo añadir el vídeo a la biblioteca de medios."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema activado"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Existe un problema de conexión con %@. Conéctate de nuevo para continuar difundiendo."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Esta aplicación necesita permiso para acceder a la biblioteca multimedia del dispositivo con el fin de añadir fotos y vídeos en tus entradas. Cambia la configuración de privacidad si deseas permitir esta acción."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Este dominio no está disponible"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Amenaza ignorada."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Título"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Es necesario el título de la categoría."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Para añadir fotos o vídeos en tus entradas."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Para seguir con esta cuenta de Google, por favor, primero accede con tu contraseña de WordPress.com. Esto solo se te pedirá una vez."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Para hacer las fotos o vídeos que deseas usar en tus entradas."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Cambia a Código HTML"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Cambia al estilo de lista ordenada"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total de palabras"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfico"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transformar %s a"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transformar bloque…"; - /* No comment provided by engineer. */ "Translate" = "Traducir"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nombre de usuario de Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Teclea una palabra clave para más ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sitio sin nombre"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Lista desordenada"; /* Filters Unread Notifications */ "Unread" = "Sin leer"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Cambios no guardados"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Sin título"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Se guardan logs de hasta 6 días de antigüedad."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Subir archivos multimedia"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Sube un icono para el sitio"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Sube una imagen o selecciona una desde tu biblioteca de medios para que sea el logotipo de tu sitio."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Carga fallida"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Usar ubicación actual"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Usar el editor de bloques"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Usa este enlace para incorporar a los miembros de tu equipo sin tener que invitarlos uno por uno. Cualquiera que visite esta URL podrá registrarse en tu organización, incluso si ha recibido el enlace de alguien, así que, asegúrate de que lo compartes con personas de confianza."; /* No comment provided by engineer. */ "Use this site" = "Usar este sitio"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifica tu dirección de correo electrónico - las instrucciones se enviaron a %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versión"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "La versión %@ está disponible"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Vista previa de vídeo no disponible"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Leyenda del vídeo. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Exportación de vídeo cancelada."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Vídeo, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Lectores"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema vulnerable: %1$@ (versión %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Bienvenido al lector"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Bienvenido al maquetador web más popular del mundo."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Vaya, eso no es un código de verificación en dos pasos. ¡Vuelve a comprobar tu código e inténtalo de nuevo!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "No se mostrará públicamente"; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Con el potente editor puedes publicar sobre la marcha."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Ajustes de la aplicación WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Escribe una respuesta..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Escritura"; @@ -7984,7 +9343,7 @@ "You hit a milestone 🚀" = "Has alcanzado un hito 🚀"; /* Text rendered at the bottom of the Allowlisted IP Addresses editor, should match Calypso. */ -"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "Puedes poner en lista blanca una dirección o serie de direcciones IP para que no las bloquee Jetpack. Se acepta tanto IPv4 como IPv6. Para especificar un rango introduce el valor más bajo y el más alto separados por un guión. Ejemplo: 12.12.12.1-12.12.12.100. "; +"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "Puedes poner en lista de direcciones permitidas una dirección o serie de direcciones IP para que no las bloquee Jetpack. Se acepta tanto IPv4 como IPv6. Para especificar un rango introduce el valor más bajo y el más alto separados por un guión. Ejemplo: 12.12.12.1-12.12.12.100. "; /* A suggestion of topics the user might like */ "You might like" = "Puede que te guste"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "La dirección de tu sitio aparece en la barra en la parte superior de la pantalla cuando visitas tu sitio en Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "¡Se ha creado tu sitio!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Ahora estás usando el editor de bloques para las nuevas entradas — ¡Genial! Si quieres cambiar al editor clásico, ve a «Mi sitio > Ajustes del sitio»."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMENTARIO]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "una hora"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "por %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "conexiones"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "esquema del documento"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "doble toque para cambiar de unidad"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "p.ej. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "p.ej. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "ejemplo.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "seguidor"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/direccion-de-mi-sitio (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "imagen"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "en «Aplicaciones»"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "más tarde hoy"; +/* No comment provided by engineer. */ +"link" = "enlace"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "de"; +/* No comment provided by engineer. */ +"ordered list" = "lista ordenada"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "otros"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "contraseña"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "número de teléfono"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "entrada"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "resumen"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Se eliminarán estos elementos:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "hoy"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sitios, sitio, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "tu nuevo dominio %@ se está configurando. ¡Tu sitio está dando saltos mortales de emoción! "; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Dominios"; diff --git a/WordPress/Resources/fr.lproj/Localizable.strings b/WordPress/Resources/fr.lproj/Localizable.strings index 5a13c8223884..4852ffade772 100644 --- a/WordPress/Resources/fr.lproj/Localizable.strings +++ b/WordPress/Resources/fr.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-30 16:09:57+0000 */ +/* Translation-Revision-Date: 2021-05-06 08:01:27+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: fr */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articles non lus"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s a été transformé en %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s est %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li mots, %2$li caractères"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "Options du bloc %s"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloc %s. Vide"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloc %s. Le contenu de ce bloc est non valide"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "« %s » n’est pas entièrement pris en charge"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Ligne d'adresse %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Un article brouillon téléversé"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 menace potentielle détectée"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "<1 heure"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un bouton \"Plus\" contenant un menu déroulant qui affiche les boutons de partage"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Une image mise en avant est définie. Toucher pour la modifier."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un fichier contient un modèle de code malveillant"; +/* No comment provided by engineer. */ +"A link to a category." = "Un lien vers une catégorie."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Un lien vers une page."; + +/* No comment provided by engineer. */ +"A link to a post." = "Un lien vers un article."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Un lien vers une étiquette."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Un liste de sites de ce compte"; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Une série d’étapes pour vous guider à faire grandir l’audience de votre site."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Un étiquette appelée « %@ » existe déjà."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESSE"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "À propos"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Ajouter une nouvelle carte de statistiques"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Ajouter au début"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Ajouter un sujet"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Ajouter un CSS personnalisé ici pour être chargé dans le Lecteur. Si vous utilisez Calypso en local, cela ressemble à : http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Ajouter un site auto-hébergé"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Ajouter un texte alternatif"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Ajouter un sujet"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Ajouter une image ou un avatar pour représenter ce nouveau compte."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Ajouter un bloc paragraphe"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Ajouter un site auto-hébergé"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Ajouter des étiquettes"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Lien d’ajout de cet e-mail"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Lien d’ajout de ce téléphone"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Ajout des fonctionnalités du site"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignement"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Une erreur est survenue."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Un erreur inconnue s’est produite. Veuillez ré-essayer."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approuve le commentaire."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Voulez-vous vraiment annuler et effacer ces modifications ?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Confirmez-vous vouloir mettre à jour ?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "À compter du 1er août 2018, Facebook n’autorise plus le partage direct d’une publication sur un profil Facebook. La connexion aux pages Facebook reste inchangée."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Joindre le fichier comme lien"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Lecteur audio"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Légende audio. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Légende audio. Vide"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Auteurs"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-géré"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Partagez automatiquement les nouveaux articles sur vos comptes de réseaux sociaux."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Mises à jour automatiques"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Bloquer les citations"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Bloc copié"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Bloc coupé"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Bloc dupliqué"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Éditeur de blocs activé"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquer les tentatives de connexions malveillantes"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Bloc collé"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Bloc supprimé"; - -/* No comment provided by engineer. */ -"Block settings" = "Réglages du bloc"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -936,7 +1097,7 @@ /* Blocklist Title Settings: Comments Blocklist */ -"Blocklist" = "Liste noire"; +"Blocklist" = "Liste de blocage"; /* Opens the WordPress Mobile Blog */ "Blog" = "Blog"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Visiteur du site"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Gras"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Divisez les fils de commentaires en plusieurs pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Naviguez parmi tous nos thèmes pour trouver celui qui sera idéal."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Protection d’attaque par force brute"; @@ -980,7 +1159,10 @@ "Button Style" = "Style du bouton"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "Par "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calcul…"; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Appareil photo"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Légende"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Attention !"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Catégorie"; +/* No comment provided by engineer. */ +"Category Link" = "Lien de catégorie"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Il manque le titre de la catégorie"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Erreur de certificat"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Changer le mot de passe"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Modifier l’emplacement du bloc"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Les changements ont échoué"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change le type d’appareil utilisé pour l’aperçu"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Modification de l'identifiant"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Erreur de vérification des achats"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choisir un domaine"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choisir un fichier"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Effacer tous les anciens journaux d’activités ?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Supprimer la recherche"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Fermer les commentaires"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Fermer l’écran « Me »"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Pliée, %i tâches terminées, basculer sur déplier la liste de ces tâches"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Arrière-plans colorés"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combinez des photos, des vidéos et du texte pour créer des publications de story engageantes et sur lesquelles on peut appuyer. Vos visiteurs apprécieront."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connexions"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "Adresse e-mail de contact"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contacter le service support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contactez-nous à %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Structure de contenu\nBlocs : %1$li, mots : %2$li, caractères : %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continuez"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continuer de travailler"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuez avec Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convertir en blocs"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cuisine"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Bloc copié"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copier le lien dans le commentaire."; /* No comment provided by engineer. */ -"Copy block" = "Copier le bloc"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copier l’URL du fichier"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nous ne pouvons pas vérifier les achats du site."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Impossible de s’abonner au site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Créer une publication de story"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Créer un site WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Créer une étiquette"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Créer un nouveau site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Créer un nouveau site pour votre entreprise, magazine ou blog personnel ou connectez un site WordPress existant."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Créer un article ou une page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Créez un article, une page ou une story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Créer une sauvegarde téléchargeable"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "En cours de restauration : %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Message personnalisé…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personnaliser les réglages de votre site concernant les « J'aime », commentaires, abonnements et plus encore."; -/* No comment provided by engineer. */ -"Cut block" = "Couper le bloc"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Sombre"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 décembre 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Par défaut"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL par défaut"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Paramètres par défaut pour les nouveaux articles"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Erreur de suppression du site"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Supprimer le menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Effacer cette étiquette"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Description"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Graphisme"; /* Title for the desktop web preview */ "Desktop" = "Bureau"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Détails"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nom affiché"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Affichez ici les statistiques de votre site. Configurez dans l’application WordPress dans la rubrique les statistiques de votre site."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Afficher les statistiques de votre site pour cette semaine ici. Configurer ceci dans l’app WordPress dans vos statistiques de site."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Affiche vos statistiques d'aujourd’hui ici. Configurez ceci dans l'application WordPress sous Site > Statistiques > Aujourd'hui"; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document : %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Coordonnées du domaine"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Les propriétaires de domaines sont tenus de partager leurs informations de contact dans une base de données publique de domaines. Grâce à la fonction de protection de la vie privée, nous publions nos propres informations à la place des vôtres et vous transmettons les communications en privé."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domaines"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Terminé"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Ne vous inquiétez pas."; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Affichez ici les statistiques de votre site. Configurez dans l’application WordPress dans la rubrique les statistiques de votre site."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Afficher les statistiques de votre site pour cette semaine ici. Configurer ceci dans l’app WordPress dans vos statistiques de site."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Affiche vos statistiques d'aujourd’hui ici. Configurez ceci dans l'application WordPress sous Site > Statistiques > Aujourd'hui"; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document : %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Coordonnées du domaine"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Les propriétaires de domaines sont tenus de partager leurs informations de contact dans une base de données publique de domaines. Grâce à la fonction de protection de la vie privée, nous publions nos propres informations à la place des vôtres et vous transmettons les communications en privé."; + +/* Title for the Domains list */ +"Domains" = "Domaines"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Terminé"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Ne vous inquiétez pas."; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Toucher deux fois sur cet élément de menu et le maintenir pour le déplacer vers le haut ou vers le bas"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Appuyer deux fois pour ouvrir la feuille d’action afin de modifier, remplacer ou supprimer l’image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Toucher deux fois pour ouvrir la feuille d’actions avec les options disponibles"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Appuyer deux fois pour ouvrir la feuille du bas afin de modifier, remplacer ou supprimer l’image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Toucher deux fois pour ouvrir la feuille du bas avec les options disponibles"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Toucher deux fois pour restaurer la dernière modification"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Télécharger la sauvegarde"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Télécharger le fichier"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Téléchargements"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Brouillons"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Dupliquer"; -/* No comment provided by engineer. */ -"Duplicate block" = "Dupliquer le bloc"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Est"; @@ -2217,8 +2651,11 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Modifier le block %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ -"Edit Blocklist Word" = "Modifier le mot de liste noire"; +"Edit Blocklist Word" = "Modifier le mot de la liste de blocage"; /* No comment provided by engineer. */ "Edit Comment" = "Modifier le commentaire"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Modifier l'article"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Modifier le site"; /* No comment provided by engineer. */ "Edit focal point" = "Modifier le point focal"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Modifier les nouveaux articles et pages avec le nouvel éditeur de block."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Modifier les boutons de partage"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Modifier d’abord l’article"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Modifier avec l’éditeur web"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-mail envoyé !"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vide"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Adresse vide"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Activer"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Date de fin"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Entrer en plein écran"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Saisissez une valeur personnalisée"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Saisissez un mot de passe pour protéger cette publication"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Saisissez des mots différents ci-dessus et nous regarderons si une adresse correspond."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Saisissez les identifiants de votre serveur afin d’activer les restaurations de site en un clic à partir des sauvegardes."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Erreur lors de la mise à jour des réglages d’accélération du site"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Évènement"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explorer les plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exporter le contenu"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "L'image à la une n'a pas pu être chargée"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Récupération des thèmes..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Type de fichier"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Remplir avec un gestionnaire de mot de passe"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Prénom"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Tout corriger"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Exact"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Correction des menaces"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pour vous faciliter la tâche, nous avons prérempli vos coordonnées WordPress.com. Veuillez vérifier qu'elles correspondent bien aux informations que vous voulez utiliser pour ce domaine."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Transmettre"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Gratuit"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Légende de la galerie. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Obtenez votre site opérationnel"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Obtention des informations du compte"; /* Cancel */ "Give Up" = "Abandonner"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Donnez à votre site un nom qui reflète sa personnalité et le sujet qu’il aborde. La première impression compte !"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Contenu HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Titre 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Titre 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Titre 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Titre 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Aide"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Icône d’aide"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Voilà les performances de l'article."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Cacher le clavier"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Retenir pour modération"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hourra !\nC’est presque fini."; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Comment Jetpack a-t-il réparé ?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "J’aime"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icône et texte"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Si vous continuez avec Apple ou Google sans disposer au préalable d’un compte WordPress.com, vous créez un compte et acceptez nos _conditions d’utilisation_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Si vous supprimez %1$@, cet utilisateur ne pourra plus accéder à ce site mais le contenu ayant été créé par %2$@ restera sur le site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Taille de l’image"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Légende de l’image. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Titre de l’image"; +/* No comment provided by engineer. */ +"Image width" = "Largeur de l’image"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Immédiatement"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Décrivez votre site en quelques mots."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Identifiant ou mot de passe incorrect. Veuillez ressaisir vos identifiants de connexion."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Fichier core infecté"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insérer un média"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insérer un média"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insérer la sélection"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "L’installation d’une première extension sur votre site peut prendre jusqu'à une minute. Pendant ce temps, vous ne pourrez effectuer aucun changement à votre site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Présentation des publications de story"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italique"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Surveillez les performances de votre site."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Utilisateurs connus"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Libellé"; +/* No comment provided by engineer. */ +"Landscape" = "Paysage"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Langue"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Résumé du dernier article"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "En savoir plus"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "En savoir plus sur les formats de date et d’heure."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Plus d’infos sur les rôles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Icônes héritées"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Laissez-nous vous aider"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Indiquez-moi lorsque l’opération est terminée !"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Niveau %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Niveau %s. Vide."; + /* Title for the app appearance setting for light mode */ "Light" = "Clair"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Lien vers"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Lien vers du contenu existant"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Liens dans les commentaires"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Style de liste"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Charger"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Chargement..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Connectez-vous avec votre identifiant WordPress.com et votre mot de passe."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Se déconnecter de WordPress ?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Demande de connexion expirée"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Il semble que vous ayez activé Jetpack sur votre site. Félicitations !\nConnectez-vous avec vos identifiants WordPress.com ci-dessous pour activer les statistiques et notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Mot de passe oublié ?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigation principale"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Vérifier les comptes en utilisant les e-mails"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Taille max. de téléversement des images"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Taille maximum d’envoi de vidéo."; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Chargements de contenu multimédia"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Le média n’a pas de fichier associé à téléverser."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "La taille du fichier média (%1$@) est trop importante pour téléverser. Le maximum autorisé est %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "L’aperçu du média a échoué."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Médias téléversés (%ld fichiers)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Surveiller la disponibilité de votre site"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Mois"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Articles connexes sur WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Heure la plus populaire"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Déplacer vers le bas"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Déplacer l’élément de menu"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Déplace le commentaire dans la corbeille."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Musique"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mon profil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Mes tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nom"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Naviguer pour personnaliser le dégradé"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Besoin d'aide ?"; @@ -3894,7 +4772,10 @@ "New" = "Nouveautés"; /* Blocklist Keyword Insertion Title */ -"New Blocklist Word" = "New Blocklist Word"; +"New Blocklist Word" = "Nouveau mot de la liste de blocage"; + +/* No comment provided by engineer. */ +"New Column" = "New Column"; /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nouvelles icônes d’application personnalisées"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nouveaux articles"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Nouveauté"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Suivant"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Étapes suivantes"; /* Accessibility label for the next notification button */ "Next notification" = "Notification suivante"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Période suivante"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Non"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Pas de connexion"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Aucun élément"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Pas de commentaire pour l'instant"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Aucun article."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Aucun article récent"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Vous ne voyez pas l’e-mail ? Vérifiez votre dossier de courrier indésirable."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note : la mise en page des colones peut varier entre les thèmes et les tailles d’écran."; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Aucun résultat."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Nombre"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Liste numérotée"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Button 1Password"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Afficher uniquement les statistiques pertinentes. Ajouter des thématiques pour répondre à vos besoins."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oups !"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Ouvrir le menu d’actions du bloc"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Ouvrir les réglages de l’appareil"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Ouvrir WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Ouvrir le sélecteur de média complet."; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Ou connectez-vous en _saisissez l’adresse de votre site_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Liste ordonnée"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Entreprise"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Autres sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Outrepassé"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TÉLÉPHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Lien de page"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page rétablie dans Brouillons"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Réglages de la page"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Bloc de saut de page. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Pagination"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraphe"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Catégorie mère"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Coller une URL"; /* No comment provided by engineer. */ -"Paste block after" = "Coller le bloc après"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Coller en texte brut"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Sélectionnez votre mise en page préférée pour la page d’accueil. Vous pourrez la personnaliser ou la modifier ultérieurement."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Offre"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Offres"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Lancer la vidéo"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Veuillez ajouter du contenu avant d’essayer de publier."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Langues populaires"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Article "; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Catégories d'articles"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format d'article"; +/* No comment provided by engineer. */ +"Post Link" = "Lien de l’article"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Article rétabli dans Brouillons"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Publié par %1$@ depuis %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Article créé le %@."; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Le téléversement de l’article a échoué"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Article déplacé dans la Corbeille."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publié sur %1$@ à %2$@ par %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Calendrier des publications"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Articles"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Page des articles"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Propulsé par Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Prévisualisez votre nouveau site pour voir ce que votre visiteurs verra."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Notification précédente"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Période précédente"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Site principal"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projets"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publication..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Achats"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Les notifications Push ont été désactivées dans les paramètres iOS. Sélectionnez « Autoriser les notifications » pour les réactiver."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Démarrage rapide"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Évaluez-nous sur l'App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "À lire sur"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnecté"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Référant"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Les articles similaires affichent du contenu pertinent de votre site après chaque article."; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Supprime cet article de mes articles enregistrés."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Supprimer la vidéo"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Remplacer le fichier"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Remplacer l’image ou la vidéo"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionner et recadrer"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Résolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Rétablir le site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Rétablir à cette version"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Les blocs réutilisables ne sont pas modifiables sur WordPress pour iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Annuler les modifications en attente"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Rôle"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS envoyé"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Sélectionner le style de paragraphe"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Sélectionnez le %@ pour ajouter vos comptes de réseaux sociaux"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Envoyez les notifications push"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servir les images depuis votre serveur"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Définir comme page des articles"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Configurer"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Erreur de partage"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Afficher l'en-tête"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Afficher les articles similaires"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Mot de passe affiché"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Afficher le contenu de l’article"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Afficher la section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "N’afficher que mes articles"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Afficher les statistiques pour :"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Affiche les articles du site."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "S’inscrire"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Langue du site"; +/* No comment provided by engineer. */ +"Site Logo" = "Logo pour votre site"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Page du site"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fuseau horaire du site (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titre du site bien modifié"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites à suivre"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Taille"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Certains téléversements de média ont échoués. Cette action va supprimer tous ces médias de l’article. \nEnregistrer quand même ?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Cet identifiant existe déjà !"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Désolé, cet identifiant n’est pas disponible."; +"Sorry, that username is unavailable." = "Désolé, cet identifiant n’est pas disponible."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Les identifiants ne peuvent contenir que des lettres minuscules (a-z) et des chiffres."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Trier par"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Code source"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sud"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espace disque utilisé"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Accélerez votre site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Par défaut"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Recommencer"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Commencer à écrire…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Barrer"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Pré-chargée"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Soumettre à la relecture..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "L’index spolight a bien été effacé"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Changer de site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Réglage système"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table des matières"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Le tableau affiche%@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Étiquette"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Lien de l’étiquette"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Cette étiquette existe déjà."; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Dites-nous quel type de site vous aimeriez créer"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Conditions générales"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Texte seul"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Envoyez-moi un code à la place."; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Merci d'avoir choisi %1$@ de %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "L'application WordPress Android a reçu une cure de rajeunissement"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "L'application ne comprend la réponse du serveur. Veuillez vérifier la configuration de votre site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Le certificat de ce serveur n’est pas valide. Le serveur auquel vous vous connectez prétend être « %@ », ce qui peut constituer un risque de sécurité pour vos données confidentielles.\n\nSouhaitez-vous faire confiance au certificat malgré tout ?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Le fichier %1$@ contient un modèle de code malveillant"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "La vidéo n’a pas pu être ajoutée à la médiathèque."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Thème activé"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Il y a un problème pour se connecter à %@. Reconnectez-le pour continuer à publier."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Cette application nécessite une autorisation pour accéder à la médiathèque de votre appareil, afin d’ajouter des photos et\/ou une vidéo à vos articles. Pour ce faire, veuillez modifier les réglages de confidentialité."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Ce domaine n’est pas disponible"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Menace ignorée."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniature"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Titre"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Une catégorie doit obligatoirement avoir un titre."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Pour ajouter des photos ou des vidéos à vos articles."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Pour effectuer cela avec ce compte Google, veuillez d’abord vous connecter avec votre mot de passe WordPress.com. Cela sera demandé une seule fois."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Pour prendre des photos ou réaliser des vidéos à utiliser dans vos articles."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Basculer la source HTML "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Active\/désactive le style liste ordonnée"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total des mots"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Trafic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transformer %s en"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transformer le bloc…"; - /* No comment provided by engineer. */ "Translate" = "Traduire"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Identifiant Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Saisissez un mot clé pour obtenir des idées"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Site sans nom"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Liste non ordonnée"; /* Filters Unread Notifications */ "Unread" = "Non lu"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Modifications non enregistrées"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Sans titre"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Conserve jusqu'à sept jours de rapports de bugs."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Téléverser un média"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Téléverser une icône de site"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Chargez une image ou choisissez-en une dans votre bibliothèque de médias pour en faire le logo de votre site."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Le téléversement a échoué"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Utiliser la localisation actuelle"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Utiliser l’éditeur de blocs"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Utilisez ce lien pour ajouter les membres de votre équipe sans avoir à les inviter individuellement. Toute personne ayant accès à ce lien sera en mesure de rejoindre votre organisation, même si le lien a été envoyé par quelqu’un d’autre que vous. Faites attention à le partager uniquement à des personnes de confiance."; /* No comment provided by engineer. */ "Use this site" = "Utiliser ce site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Vérifiez votre adresse de messagerie. Instructions envoyées à %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "La version %@ est disponible"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Aperçu de la vidéo non disponible."; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Légende de la vidéo. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Export de la vidéo annulé."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Vidéo, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Visiteurs"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Thème vulnérable : %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Administrateur WP"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Bienvenue dans le lecteur"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Bienvenue sur le constructeur de site le plus populaire au monde."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Oups, ce n’est pas un code de vérification deux facteurs valide. Vérifiez à nouveau et réessayez."; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Ne sera pas affiché publiquement."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Avec cet éditeur puissant, vous pouvez publier de n’importe où."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Réglage de l’app WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Écrire une réponse..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Rédaction"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "L’adresse de votre site apparait dans la barre en haut de l’écran quand vous le visitez dans Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Votre site a été créé !"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Vous utilisez actuellement le nouvel éditeur de blocs pour les nouveaux articles – c’est super ! Si vous revenir à l’éditeur classique, allez à « Mon site » > « Réglages du site »."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENTAIRE]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "une heure"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "Audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "par %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connexions"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "aperçu du document"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "appuyer deux fois pour modifier l’unité"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ex. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ex. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "exemple.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "abonné"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/adresse-de-mon-site (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "Image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "dans \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "ultérieurement aujourd'hui"; +/* No comment provided by engineer. */ +"link" = "lien"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "sur"; +/* No comment provided by engineer. */ +"ordered list" = "liste ordonnée"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "Autre"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "mot de passe"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "numéro de téléphone"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "article"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "lire la suite"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "sommaire"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "ces éléments vont être supprimés :"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "aujourd’hui"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Votre nouveau domaine %@ est en cours de configuration. Votre site fait des bonds d’excitation !"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domaines"; diff --git a/WordPress/Resources/he.lproj/Localizable.strings b/WordPress/Resources/he.lproj/Localizable.strings index c344c352600f..61057a7d8263 100644 --- a/WordPress/Resources/he.lproj/Localizable.strings +++ b/WordPress/Resources/he.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-30 16:13:08+0000 */ +/* Translation-Revision-Date: 2021-05-07 14:12:28+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: he_IL */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "⁦%1$d⁩ פוסטים מוסתרים"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "⁦%1$s⁩ שונה אל ⁦%2$s⁩"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. ⁦%2$s⁩ הוא ⁦%3$s⁩ %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li מילים, %2$li תווים"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s אפשרויות הבלוק"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "הבלוק %s. ריק"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "הבלוק %s. בלוק זה כולל תוכן לא חוקי"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' לא נתמך באופן מלא"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ שורת כתובת %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "הועלה פוסט טיוטה אחד"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "נמצא איום פוטנציאלי אחד"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< שעה אחת"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "הכפתור 'עוד' כולל תפריט נפתח שמציג כפתורי שיתוף"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "התמונה המרכזית הוגדרה. יש להקיש כדי לשנות אותה."; /* Title for a threat */ "A file contains a malicious code pattern" = "קובץ שמכיל תבנית של קוד זדוני"; +/* No comment provided by engineer. */ +"A link to a category." = "קישור לקטגוריה מסוימת."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "קישור לעמוד מסוים."; + +/* No comment provided by engineer. */ +"A link to a post." = "קישור לפוסט מסוים."; + +/* No comment provided by engineer. */ +"A link to a tag." = "קישור לתגית מסוימת."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "רשימה של אתרים בחשבון זה."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "סדרת צעדים שתעזור לך להגדיל את קהל המבקרים באתר שלך."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "תגית בשם '%@' כבר קיימת."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "כתובת"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "אודות"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "הוספה להתחלה"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "להוסיף נושא"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "להוסיף כאן כתובת URL של CSS מותאם כדי לטעון אותה ב-Reader. אם השירות של Calypso מופעל אצלך באופן מקומי, הכתובת תוצג בצורה הבאה: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "להוסיף אתר באחסון עצמי"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "הוספת טקסט חלופי"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "להוסיף נושא כלשהו"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "להוסיף תמונה או תמונת פרופיל שתייצג את החשבון חדש."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "להוסיף בלוק פסקה רגילה"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "הוספת אתר באחסון עצמי"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "הוספת תגיות"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "להוסיף את הקישור לאימייל"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "להוסיף קישור למספר הטלפון"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "מוסיף תכונות אתר"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "אלבומים"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "יישור"; @@ -576,10 +716,10 @@ "Allow this connection to be used by all admins and users of your site." = "אישור שימוש בחיבור זה על ידי כל מנהלי המערכת והמשתמשים באתר שלך."; /* Allowlisted IP Addresses Title */ -"Allowlisted IP Addresses" = "Allowlisted IP Addresses"; +"Allowlisted IP Addresses" = "כתובות IP ברשימת ההיתרים"; /* Jetpack Settings: Allowlisted IP addresses */ -"Allowlisted IP addresses" = "Allowlisted IP addresses"; +"Allowlisted IP addresses" = "כתובות IP ברשימת ההיתרים"; /* Instructions for users with two-factor authentication enabled. */ "Almost there! Please enter the verification code from your authenticator app." = "כמעט סיימת! יש להזין את קוד האימות מאפליקציית האימות."; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "אירעה שגיאה."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "אירעה שגיאה לא מזוהה. יש לנסות שוב."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "אישור התגובה."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "בחרת לבטל את השינויים - האם ההחלטה סופית?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "האם ברצונך לעדכן?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "אומנות"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "החל מ-1 באוגוסט 2018, פלטפורמת פייסבוק לא תאפשר עוד שיתוף ישיר של פוסטים לפרופילים בפייסבוק. החשבונות המקושרים לדפים בפייסבוק לא ישתנו."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "צירוף קובץ כקישור"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "לנגן אודיו"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "תיאור אודיו. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "תיאור אודיו. ריק"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "אודיו, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "מחברים"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "ניהול אוטומטי"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "שיתוף אוטומטי של פוסטים חדשים בחשבונות שלך ברשתות החברתיות."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "עדכונים אוטומטיים"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "ציטוט"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "הבלוק הועתק"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "הבלוק נחתך"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "הבלוק שוכפל"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "עורך הבלוקים הופעל"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "חסימת ניסיונות התחברות זדוניים"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "הבלוק הודבק"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "הבלוק הוסר"; - -/* No comment provided by engineer. */ -"Block settings" = "הגדרות הבלוק"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "לחסום את האתר הזה"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "הצופה של הבלוג"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "מודגש"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "חלוקת שרשורי תגובות למספר עמודים."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "עיון בכל ערכות העיצוב שלנו כדי למצוא את ההתאמה המושלמת."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "הגנה מפני התקפות של ניחוש סיסמה"; @@ -980,7 +1159,10 @@ "Button Style" = "סגנון הכפתור"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "לפי"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "חישוב..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "מצלמה"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "כיתוב"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "בזהירות!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "קטגוריה"; +/* No comment provided by engineer. */ +"Category Link" = "קישור לקטגוריה"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "חסרה כותרת לקטגוריה"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "שגיאה בתעודה"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "שינוי סיסמה"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "לבדוק את מיקום הבלוק"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "שינוי נכשל"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "יש לשנות את סוג המכשיר המשמש לתצוגה מקדימה"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "משנה את שם המשתמש"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "שגיאה בעת בדיקת הרכישות"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "בחירת דומיין"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "לבחור קובץ"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "האם למחוק את כל יומני הפעילות הישנים?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "לנקות את החיפוש"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "סגור לתגובות"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "לסגור את המסך 'אני'"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "קוד"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "כווץ, %i משימות שהושלמו, שינוי בהגדרה ירחיב את הרשימה של המשימות האלו"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "רקעים צבעוניים"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "אפשר לשלב תמונות, סרטוני וידאו וטקסטים כדי ליצור פוסטים מעניינים של סטורי שיוצגו בהקשה ולהרשים את הקוראים שלך."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "חיבורים"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "איש קשר"; + /* Support email label. */ "Contact Email" = "אימייל ליצירת קשר"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "כדאי לפנות לתמיכה"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "ניתן ליצור אתנו קשר בכתובת %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "מבנה תוכן\nבלוקים: ⁦%1$li⁩, מילים: %2$li, תווים: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "המשך"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "המשך עבודה"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "להמשיך עם Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "להמיר לבלוקים"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "בישול"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "הבלוק הועתק"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "העתקת הקישור לתגובה"; /* No comment provided by engineer. */ -"Copy block" = "להעתיק בלוק"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "להעתיק כתובת URL של קובץ"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "לא ניתן היה לבדוק רכישות באתר."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "אי אפשר לעקוב אחר האתר"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "ליצור פוסט של סטורי"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "יצירת אתר בוורדפרס.קום"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "יצירת תגית"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "ליצור אתר חדש"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "יצירה של אתר חדש לעסק שלך, מגזין, או בלוג אישי; או חיבור התקנה קיימת של WordPress."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "ליצור פוסט או עמוד"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "ליצור פוסט, עמוד או סטורי חדש"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "ליצור גיבוי להורדה"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "אנחנו משחזרים כעת את: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "הודעה מותאמת אישית..."; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "התאמה אישית של הגדרות האתר שלך עבור לייקים, תגובות, עוקבים ועוד."; -/* No comment provided by engineer. */ -"Cut block" = "לחתוך בלוק"; - /* Title for the app appearance setting for dark mode */ "Dark" = "צבעים כהים"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 בדצמבר, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "ברירת מחדל"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "כתובת URL בברירת מחדל"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "ברירות מחדל עבור פוסטים חדשים"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "שגיאה במחיקת אתר"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "מחיקת תפריט"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "מחיקת תגית זו"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "תיאור"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "עיצוב"; /* Title for the desktop web preview */ "Desktop" = "מחשב שולחני"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "פרטים"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "שם תצוגה"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "להציג כאן את הנתונים הסטטיסטיים שלך מכל הזמנים. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "להציג את הנתונים הסטטיסטיים השבועיים של האתר שלך כאן. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "להציג את הנתונים הסטטיסטיים היומיים של האתר כאן. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "מסמכים: ‎%@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "פרטי יצירת קשר עם הדומיין"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "בעלי דומיינים מחויבים לשתף את פרטי הקשר שלהם בבסיס נתונים ציבורי של כל הדומיינים. בזכות הגנת פרטיות, אנחנו מפרסמים את הפרטים שלנו ולא את שלך ומעבירים אליך באופן פרטי כל התקשרות שתהיה."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "דומיינים"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "אין לך חשבון עדיין? _הרשמה_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "סיים"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "אל דאגה"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "להציג כאן את הנתונים הסטטיסטיים שלך מכל הזמנים. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "להציג את הנתונים הסטטיסטיים השבועיים של האתר שלך כאן. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "להציג את הנתונים הסטטיסטיים היומיים של האתר כאן. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "מסמכים: ‎%@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "פרטי יצירת קשר עם הדומיין"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "בעלי דומיינים מחויבים לשתף את פרטי הקשר שלהם בבסיס נתונים ציבורי של כל הדומיינים. בזכות הגנת פרטיות, אנחנו מפרסמים את הפרטים שלנו ולא את שלך ומעבירים אליך באופן פרטי כל התקשרות שתהיה."; + +/* Title for the Domains list */ +"Domains" = "דומיינים"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "אין לך חשבון עדיין? _הרשמה_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "סיים"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "אל דאגה"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "יש להקיש פעמיים ולהחזיק כדי להזיז את פריט התפריט במעלה או במורד הרשימה"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "יש להקיש פעמיים כדי לפתוח את גיליון הפעולה ולערוך, להחליף או למחוק את התמונה"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "יש להקיש פעמיים כדי לפתוח את גיליון הפעולות עם האפשרויות הזמינות"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "יש להקיש פעמיים כדי לפתוח את הגיליון התחתון ולערוך, להחליף או למחוק את התמונה"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "יש להקיש פעמיים כדי לפתוח את גיליון הכפתורים עם האפשרויות הזמינות"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "יש להקיש פעמיים כדי לבצע שוב את השינוי האחרון"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "להורדת הגיבוי"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "להורדת הקובץ"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "הורדות"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "טיוטות"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "לשכפל"; -/* No comment provided by engineer. */ -"Duplicate block" = "לשכפל בלוק"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "מזרח"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "לערוך את הבלוק '%@'"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "לערוך את המילה ברשימת החסימות"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "ערוך פוסט"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "לערוך קובץ"; /* No comment provided by engineer. */ "Edit focal point" = "לערוך נקודת מוקד"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "לעריכת פוסטים ועמודים חדשים עם עורך הבלוקים."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "עריכת כפתורי שיתוף"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "לערוך את הפוסט קודם כל"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "לערוך באמצעות עורך אינטרנט"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "האימייל נשלח!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "ריק"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "קישור ריק"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "הפעלה"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "תאריך סיום"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "להיכנס לתצוגה של מסך מלא"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "הזנת ערך מותאם אישית"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "להזין סיסמה כדי להגן על פוסט זה"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "יש להזין מילים שונות למעלה ואנחנו נחפש כתובת שתתאים להן."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "יש להזין את פרטי הכניסה של השרת כדי להפעיל שחזורים בלחיצה אחת מגיבויים."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "שגיאה בעדכון ההגדרות לשיפור המהירות באתר"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "אירוע"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "עיון בתוכניות"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "לייצא תוכן"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "התמונה הראשית לא נטענה"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "טוען תבניות"; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "סוג קובץ"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "למלא באמצעות מנהל סיסמאות"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "שם פרטי"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "לתקן הכול"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "תוקן"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "מתקן את האיומים"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "פוטבול"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "לנוחותך, מילאנו מראש את הפרטים ליצירת קשר עמך ב-WordPress.com. יש לבדוק את הפרטים ולוודא שהמידע נכון לדומיין שבו ברצונך להשתמש."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "העבר"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "חינם"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "כיתוב לגלריה. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "הפעלת האתר שלך"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "טוען פרטי חשבון"; /* Cancel */ "Give Up" = "לוותר"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "כדאי לתת לאתר שלך שם שמשקף את האישיות שלו והנושאים שמוצגים בו. הרושם הראשוני חשוב!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "תוכן HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "כותרת עליונה מס' 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "כותרת עליונה מס' 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "כותרת ברמה 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "כותרת ברמה 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "עזרה"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "סמל עזרה"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "אלו הביצועים של הפוסט עד כה."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "הסתר מקלדת"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "המתנה לניהול"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "הידד!\nכמעט סיימת"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "איך הבעיה תוקנה על ידי Jetpack?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "אהבתי את זה"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "סמל וטקסט"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "אם בחרת להמשיך עם Apple או עם Google ועדיין אין לך חשבון ב-WordPress.com, חשבון ייווצר עבורך ויש הסכמה מצידך לתנאי השירות שלנו."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "לאחר הסרתו של המשתמש %1$@, לא תהיה לו עוד גישה לאתר זה אך כל התוכן שנוצר על ידי %2$@ יישאר באתר."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "גודל תמונה"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "כיתוב התמונה. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "כותרת התמונה"; +/* No comment provided by engineer. */ +"Image width" = "רוחב התמונה"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "תמונה, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "מיד"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "במספר מילים, הסבר במה עוסק האתר."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "לא פעיל"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "שם משתמש או סיסמה לא נכונים. יש לנסות להזין שוב את פרטי ההתחברות."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "קובץ ליבה נגוע"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "הוספת מדיה"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "הוספת פריטי מדיה"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "להוסיף את הפריטים שנבחרו"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "ההתקנה של התוסף הראשון באתר עשויה לארוך כדקה. במהלך ההתקנה, לא תהיה לך אפשרות לבצע שינויים באתר."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "אנו שמחים להציג את האפשרות 'פוסטים של סטורי'."; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "כתב נטוי"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "קבלת עדכונים על הביצועים של האתר שלך."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "משתמשים מוכרים"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "תווית"; +/* No comment provided by engineer. */ +"Landscape" = "נוף"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "שפה"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "גדול"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "סיכום פוסטים אחרונים"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "מידע נוסף"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "מידע נוסף לגבי תבניות זמן ותאריך."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "למידע נוסף על תפקידים"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "סמלים ישנים"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "תנו לנו לעזור"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "הודיעו לי כאשר הפעולה מסתיימת!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "רמה %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "רמה %s. ריק."; + /* Title for the app appearance setting for light mode */ "Light" = "צבעים בהירים"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "קישור אל"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "קישור לתוכן קיים"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "קישורים בתגובות"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "סגנון רשימה"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "טעינה"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "טוען..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "מקומי"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "יש להתחבר באמצעות שם המשתמש והסיסמה של WordPress.com.‏"; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "האם להתנתק מ-WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "פג תוקף בקשת ההתחברות"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "לוגים"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "נראה כי באתר שלך מוגדר Jetpack. ברכותינו! יש להיכנס עם פרטי הכניסה של WordPress.com כדי לאפשר סטטיסטיקות והתראות."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "שחזור סיסמה"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "ניווט ראשי"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "התאמת חשבונות באמצעות אימייל"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "גודל מרבי להעלאת תמונה"; /* Title for the video size settings option. */ "Max Video Upload Size" = "הגודל המקסימלי להעלאת וידאו"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "העלאות מדיה"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "לפריט המדיה חסר קובץ מקושר להעלאה."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "גודל הקובץ (%1$@) חורג מהגודל האפשרי להעלאה. גודל ההעלאה המקסימלי הוא %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "תצוגה מקדימה של פריט מדיה נכשלה."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "פרטי המדיה הועלו (%ld קבצים)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "מעקב אחרי זמן הפעולה התקינה של האתר שלך"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "חודשים"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "עוד מ-WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "המועד הפופולרי ביותר"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "העברה למטה"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "להעביר פריט תפריט"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "העברת התגובות לפח."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "מוזיקה"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "הפרופיל שלי"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "הפנייה שלי"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "שם"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "הפעולה מנווטת אל האפשרות להתאים את מעבר הצבע"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "עזרה"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "מילה חדשה לרשימת החסימות"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "סמלים מותאמים חדשים באפליקציה"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "פוסטים חדשים"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "חדשים ביותר"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "הבא"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "לשלב הבא"; /* Accessibility label for the next notification button */ "Next notification" = "ההודעה הבאה"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "התקופה הבאה"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "לא"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "אין חיבור"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "אין פריטים"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "עדיין אין תגובות"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "אין פוסטים."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "אין פוסטים מהזמן האחרון"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "לא קיבלת את האימייל? בדוק את הספאם או תיקיית הזבל במייל."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "שורת הפריסה יכולה להשתנות בין תבניות וגדלי מסך."; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "לא נמצא כלום."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "מספר"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "רשימה ממוספרת"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "כפתור סיסמה אחד"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "הצגה של הנתונים הסטטיסטיים הרלוונטיים ביותר בלבד. להוסיף תובנות שיתאימו לצרכיך."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "אופפפס!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "לפתוח את התפריט של פעולות הבלוק"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "פתיחת הגדרות מכשיר"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "לפתוח את WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "פתיחה של בוחר המדיה המלא"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "לחלופין, ניתן להתחבר באמצעות _הזנת הכתובת של האתר שלך_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "רשימה מסודרת"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "ארגון"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "אתרים אחרים"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "נדרס"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "טלפון"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "עמוד"; +/* No comment provided by engineer. */ +"Page Link" = "קישור לעמוד"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "עמוד שוחזר למצב 'טיוטה'"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "הגדרות עמוד"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "בלוק של מעבר דף. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "עימוד"; +/* No comment provided by engineer. */ +"Paragraph" = "פסקה רגילה"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "קטגוריית אב"; @@ -4486,7 +5442,7 @@ "Paste URL" = "להדביק את כתובת ה-URL"; /* No comment provided by engineer. */ -"Paste block after" = "להדביק את הבלוק אחרי"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "הדבקה בלי העיצוב"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "יש לבחור את הפריסה המועדפת עליך לעמוד הבית. אפשר לערוך ולהתאימה אישית מאוחר יותר."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "תוכנית"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "תוכניות"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "הפעלת וידאו"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "יש להוסיף תוכן לפני לחיצה על פרסום."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "שפות פופולאריות"; +/* No comment provided by engineer. */ +"Portrait" = "דיוקן"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "פוסט"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "קטגוריות"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "פורמט"; +/* No comment provided by engineer. */ +"Post Link" = "קישור לפוסט"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "פוסט שוחזר למצב \"טיוטה\""; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "פוסט מאת %1$@, מ-%2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "הפוסט נוצר ב %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "העלאת הפוסט נכשלה"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "פוסט הועבר לפח."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "פורסם בפוסט %1$@ בכתובת %2$@ מאת %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "פעילות פרסום"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "פוסטים"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "עמוד הפוסטים"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "מופעל על ידי Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "באפשרותך להציג תצוגה מקדימה של האתר החדש כדי לבחון מה יראו המבקרים בו."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "הודעה קודמת"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "התקופה הקודמת"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "אתר ראשי"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "פרויקטים"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "ציבורי"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "מפרסם..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "רכישות"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "הודעות בדחיפה כובו בהגדרות של iOS. יש לבחור ב'הפעלת הודעות' כדי לאפשר אותן שוב."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "התחלה מהירה"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "נשמח לקבל ממך דירוג בחנות האפליקציות"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "ניתן לקרוא באתר"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "מחובר"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "הפניה"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "פוסטים קשורים מציגים תוכן רלוונטי מהאתר שלך, מתחת לפוסטים שלך"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "הסרת הפוסט הנוכחי מרשימת הפוסטים שנשמרו."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "הסר וידאו"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "להחליף את הקובץ"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "להחליף תמונה או וידאו"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "שינוי גודל וחיתוך"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "רזולוציה"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "לשחזר את האתר"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "לשחזר לנקודה זאת"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "לא ניתן לערוך בלוקים לשימוש חוזר ב-WordPress ל-iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "החזר שינוי בהמתנה למצב קודם"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "תפקיד"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS נשלח"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "בחירת סגנון פסקה"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "יש לבחור %@ כדי להוסיף חשבונות של רשתות חברתיות"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "שליחת הודעות בדחיפה"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "הצגת תמונות מהשרתים שלנו"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "להגדיר כעמוד פוסטים"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "הגדרה"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "שגיאה בשיתוף"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "הצגת כותרת"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "הצג תכנים באותו נושא"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "להציג סיסמה"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "להציג את תוכן הפוסט"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "להציג את המקטע"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "מראה את הפוסטים שלי בלבד"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "מציג נתונים סטטיסטיים עבור:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "האפשרות מציגה את הפוסטים של אתר."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "הרשמה"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "שפת אתר"; +/* No comment provided by engineer. */ +"Site Logo" = "לוגו האתר"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "עמוד האתר"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "אזור הזמן של האתר (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "שם האתר שונה בהצלחה"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "אתרים"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "אתרים למעקב"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "גודל"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "רשתות חברתיות"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "מספר טעינות מדיה נכשלו. פעולה זו תסיר את כל המדיה שנכשלה מהפוסט.\nלשמור בכל זאת?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "שם המשתמש כבר קיים!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "שם המשתמש אינו זמין."; +"Sorry, that username is unavailable." = "שם המשתמש אינו זמין."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "שם המשתמש יכול להכיל רק אותיות קטנות (a-z) ומספרים."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "מיון לפי"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "קוד מקור"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "דרום"; /* Label for showing the available disk space quota available for media */ "Space used" = "שטח שנוצל"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "הגברת המהירות של האתר שלך"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "רגיל"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "להתחיל מחדש"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "יש להתחיל לכתוב..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "קו חוצה"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "הגשה לאישור..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "האינדקס של Spotlight נוקה בהצלחה"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "תמיכה"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "החלפת אתר"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "ברירת המחדל לפי המערכת"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "תוכן עניינים"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "הטבלה מציגה את %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "תגית"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "קישור לתגית"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "התגית כבר קיימת"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "איזה סוג אתר ברצונך ליצור?"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "תנאים והתניות"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "טקסט בלבד"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "שליחת קוד במקום"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "תודה שבחרת ב-%1$@ מאת %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "אפליקציית WordPress ל-Android עברה 'מתיחת פנים' רצינית"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "היישום אינו מזהה את תגובת השרת. אנא בדוק את תצורת האתר שלך."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "האישור עבור שרת זה אינו חוקי. ייתכן שאתה מתחבר לשרת שמתחזה ל-"%@", מה שעלול לסכן את המידע הסודי שלך.\n\nלבטוח באישור בכל מקרה?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "הקובץ %1$@ מכיל תבנית של קוד זדוני"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "לא ניתן להוסיף את הווידאו לספריית המדיה."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "ערכת עיצוב הופעלה"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "אירעה בעיה בהתחברות אל %@. יש להתחבר מחדש כדי להמשיך בשיתוף האוטומטי."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "אפליקציה זו זקוקה להרשאה כדי לגשת לספריית המדיה במכשיר שלך ולהוסיף תמונות ו\/או סרטוני וידאו לפוסטים שלך. יש לשנות את הגדרות הפרטיות אם ברצונך לאפשר זאת."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "הדומיין לא זמין"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "התעלמת מהאיום."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "תמונה ממוזערת"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "כותרת"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "חובה להזין כותרת לקטגורייה."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "להוסיף תמונות או סרטוני וידאו לפוסטים."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "כדי להמשיך עם חשבון Google, ראשית יש להתחבר עם הסיסמה שלך ב-WordPress.com. נבקש את הנתון הזה פעם אחת בלבד."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "לצלם תמונות או סרטוני וידאו לשימוש בפוסטים שלך."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "החלפת מקור HTML "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "מבצע החלפה בין סגנונות רשימה ממוספרת"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "סך כל המילים"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "תעבורה"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "לשנות את %s אל"; - -/* No comment provided by engineer. */ -"Transform block…" = "לשנות בלוק..."; - /* No comment provided by engineer. */ "Translate" = "לתרגם"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "שם המשתמש בטוויטר"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "יש להקליד מילת מפתח לרעיונות נוספים"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "אתר ללא שם"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "רשימה לא מסודרת"; /* Filters Unread Notifications */ "Unread" = "לא נקרא"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "שינויים שלא נשמרו"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "ללא כותרת"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "אנחנו שומרים קובצי יומן עד שבעה ימים אחורה."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "העלאת מדיה"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "העלאה של סמל לאתר"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "להעלות תמונה או לבחור אחת מספריית המדיה שלך בשביל הלוגו של האתר שלך"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "העלאה נכשלה"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "שימוש במיקום נוכחי"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "להשתמש בעורך הבלוקים"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "ניתן להשתמש בקישור זה כדי להזמין את כל חברי הצוות שלך במקביל, במקום לשלוח הזמנות אישיות. לכל אדם שמבקר בכתובת ה-URL הזאת תהיה אפשרות להירשם לארגון שלך, גם אם הוא מקבל את הקישור מאדם אחר ולכן, חשוב לוודא שהקישור נשלח לאנשים מהימנים בלבד."; /* No comment provided by engineer. */ "Use this site" = "שימוש באתר זה"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "יש לאמת את כתובת האימייל שלך - ההוראות נשלחו לכתובת %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "גרסה"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "הגרסה %@ זמינה"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "התצוגה המקדימה של הווידאו לא זמינה"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "כיתוב לווידאו. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "יצוא הווידאו בוטל."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "וידאו, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "צופים"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "ערכת עיצוב פגיעה: %1$@ (גרסה %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "לוח בקרה"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "ברוכים הבאים ל-Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "ברוך בואך לבונה האתרים הפופולרי ביותר בעולם."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "הקוד לאימות דו-שלבי אינו תקף. יש לבדוק שוב את הקוד ולנסות שנית!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "וידג'טים"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "לא תוצג בפומבי."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "העורך העוצמתי הזה מאפשר לפרסם מכל מקום."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "הגדרות האפליקציה של WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "כתוב תגובה..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "כתיבה"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "עם הכניסה לאתר בדפדפן Safari, כתובת האתר שלך תופיע בסרגל העליון של המסך."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "האתר שלך נוצר!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "התחלת להשתמש בעורך הבלוקים עבור פוסטים חדשים - מעולה! כדי לחזור לעורך הקלאסי, יש לעבור אל 'האתר שלי' > 'הגדרות אתר'."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[תגובה]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "שעה אחת"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "אודיו"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "מאת %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "חשבונות מקושרים"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "חלוקת המסמך לרמות"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "יש להקיש פעמיים כדי לשנות את היחידה"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "לדוגמה 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "לדוגמה 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "עוקב"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "תמונה"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "תחת 'אפליקציות'"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "מאוחר יותר היום"; +/* No comment provided by engineer. */ +"link" = "קישור"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "מתוך"; +/* No comment provided by engineer. */ +"ordered list" = "רשימה ממוספרת"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "אחר"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "סיסמה"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "מספר טלפון"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "‎פוסט"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "סיכום"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "פריטים אלה יימחקו:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "היום"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "WordPress, אתרים, אתר, בלוגים, בלוג"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "כעת מתבצע תהליך ההגדרה של הדומיין החדש שלך, %@. האתר שלך עושה סלטות מרוב התרגשות!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "‎© %ld אוטומטיק בע\"מ"; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• דומיינים"; diff --git a/WordPress/Resources/hr.lproj/Localizable.strings b/WordPress/Resources/hr.lproj/Localizable.strings index f032c15eda12..d56bca2dea13 100644 --- a/WordPress/Resources/hr.lproj/Localizable.strings +++ b/WordPress/Resources/hr.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Info"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Poravnanje"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Authors"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block Quote"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Podebljano"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Category"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Nedostaje naslov kategorije."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakt"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Opis"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalji"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Display Name"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Završeno"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Završeno"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Istok"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Uredi Post"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "ažuriraj žarišno mjesto"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Prazan URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "First Name"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Forward"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Free"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Getting account information"; /* Cancel */ "Give Up" = "Give Up"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Pomoć"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "I Like It"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Odmah"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Ukošeno"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Pejzaž"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Veliko"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Saznaj Više"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link To"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Učitavam..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Lokalno"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Zapisnici"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Izgubili ste lozinku?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Glavni izbornik"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Mjeseci"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Trebate Pomoć?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Najnovije"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Sljedeće"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Ne"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nema konekcije"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No recent posts"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Matična Kategorija"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; +/* No comment provided by engineer. */ +"Portrait" = "Portret"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Post moved to trash."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Postovi"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Javno"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Show Related Posts"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Veličina"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Sorry, that username already exists!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; +"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sort By"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Source Code"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Jug"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Podrška"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Text Only"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognize the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Naslov"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Naslov za kategoriju je obavezan."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; /* Filters Unread Notifications */ "Unread" = "Unread"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Neimenovan"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Verzija"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Write a reply…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "slika"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "later today"; +/* No comment provided by engineer. */ +"link" = "poveznica"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "poredana lista"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "danas"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/hu.lproj/Localizable.strings b/WordPress/Resources/hu.lproj/Localizable.strings index 7ebcf3d20a57..5a151c2ce917 100644 --- a/WordPress/Resources/hu.lproj/Localizable.strings +++ b/WordPress/Resources/hu.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Névjegy"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Authors"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block Quote"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Category"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategória cím hiányzik."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com oldal létrehozása"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Description"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Display Name"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Kész"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Kész"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Kelet"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Bejegyzés szerkesztése"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Üres cím"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "A kiemelt képet nem lehet betölteni"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "First Name"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Forward"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Free"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Fiók információk beszerzése"; /* Cancel */ "Give Up" = "Give Up"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Segítség"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Billentyűzet elrejtése"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "I Like It"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Azonnal"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Dőlt"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Fekvő"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Nagy"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Több infó"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link To"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Betöltés..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Helyi"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Naplózás"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Elfelejtett jelszó"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Months"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Segítségre van szükség?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Következő"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Nem"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nincs kapcsolat"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nincsenek hozzászólások"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No recent posts"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Rendezett lista"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Szülő kategória"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; +/* No comment provided by engineer. */ +"Portrait" = "Portré"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Bejegyzés formátum"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Post moved to trash."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Bejegyzések"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Nyilvános"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Show Related Posts"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Honlap nyelve"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Webhelyek"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Size"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Sajnos, ez a felhasználónév már létezik!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Sajnálom, a felhasználónév nem érhető el."; +"Sorry, that username is unavailable." = "Sajnálom, a felhasználónév nem érhető el."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sajnos, a felhasználónevek csak kis betűke és számokat tartalmazhatnak."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sort By"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Source Code"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Dél"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Segítség"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Text Only"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognize the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Cím"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Kategória cím megadása kötelező."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; /* Filters Unread Notifications */ "Unread" = "Unread"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Sikertelen feltöltés"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Write a reply…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/azoldalamcíme (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "kép"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "later today"; +/* No comment provided by engineer. */ +"link" = "hivatkozás"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "rendezett lista"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "today"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/id.lproj/Localizable.strings b/WordPress/Resources/id.lproj/Localizable.strings index 33299a244c64..d42dad384322 100644 --- a/WordPress/Resources/id.lproj/Localizable.strings +++ b/WordPress/Resources/id.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d pos yang belum dilihat"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s diubah menjadi %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s adalah %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li kata, %2$li karakter"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s pilihan blok"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s blok. Kosong"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s blok. Blok ini memiliki konten yang tidak valid"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' tidak sepenuhnya didukung"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Baris alamat %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 pos konsep berhasil diunggah"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 jam"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tombol \"lagi\" berisi menu buka bawah yang menampilkan tombol berbagi"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Gambar yang ditampilkan sudah siap. Ketuk untuk mengubahnya."; /* Title for a threat */ "A file contains a malicious code pattern" = "Sebuah file mengandung pola kode berbahaya"; +/* No comment provided by engineer. */ +"A link to a category." = "Tautan ke kategori."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Tautan ke halaman."; + +/* No comment provided by engineer. */ +"A link to a post." = "Tautan ke pos."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Tautan ke tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Daftar situs di akun ini."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Serangkaian langkah untuk membantu menumbuhkan pengunjung situs Anda."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Tag dengan nama '%@' sudah ada."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ALAMAT"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Perihal"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Tambahkan Kartu Statistik Baru"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Tambahkan ke Awal"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Tambahkan Topik"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Tambahkan URL CSS kustom di sini untuk dimuat di Pembaca. Jika Anda menjalankan Calypso secara lokal, URL bisa seperti: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Tambahkan situs hosting sendiri"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Tambahkan teks alt"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Tambahkan topik yang mana saja"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Tambahkan gambar, atau avatar, untuk mewakili akun baru ini."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Tambahkan blok paragraf"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Tambahkan situs hosting sendiri"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Tambahkan tag"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Tambahkan link email ini"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Tambahkan link telepon ini"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Menambahkan fitur situs"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Album"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Perataan"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Terjadi error."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Terjadi error yang tidak diketahui. Silakan coba lagi."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Menyetujui Komentar."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Anda yakin ingin membatalkan dan membuang perubahan?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Anda yakin ingin memperbarui?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Seni"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Per 1 Agustus 2018, Facebook tak lagi mengizinkan berbagi pos langsung ke Profil Facebook. Sambungan ke Halaman Facebook tidak berubah."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Melampirkan File sebagai Tautan"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Pemutar Audio"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Keterangan audio. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Keterangan audio. Kosong"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Penulis"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Pengelolaan otomatis"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Bagikan pos baru secara otomatis ke akun media sosial Anda."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Pembaruan otomatis"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Blokir Kutipan"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blok disalin"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blok dipotong"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blok diduplikasi"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Penyunting blok diaktifkan"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Memblokir upaya login berbahaya"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blok ditempelkan"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blok dihapus"; - -/* No comment provided by engineer. */ -"Block settings" = "Pengaturan blok"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokir situs ini"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Pemirsa Blog"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Tebal"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Pisahkan utas komentar menjadi beberapa halaman."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Jelajahi semua tema kami untuk menemukan yang paling cocok."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Perlindungan Terhadap Serangan Paksa"; @@ -980,7 +1159,10 @@ "Button Style" = "Gaya Tombol"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "Oleh"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Menghitung..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Keterangan"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Hati-hati!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; +/* No comment provided by engineer. */ +"Category Link" = "Tautan Kategori"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Belum ada judul kategori."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Kesalahan sertifikat"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Ganti Kata Sandi"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Ubah posisi blok"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Perubahan gagal"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ganti jenis perangkat yang digunakan untuk meninjau"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Mengubah nama pengguna"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Kesalahan Pemeriksaan Pembelian"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Pilih domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Pilih berkas"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Hapus semua log aktivitas lama?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Hapus pencarian"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Tutup komentar"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Tutup layar Me"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kode"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Diciutkan, %i tugas yang telah selesai, alihkan tombol ke bentangkan daftar tugas yang telah selesai"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Latar belakang berwarna"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombinasikan foto, video, dan teks untuk membuat pos cerita, yang menarik dan memancing pengunjung Anda untuk mengetuk, yang pasti disukai pengunjung Anda."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Koneksi"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Hubungi"; + /* Support email label. */ "Contact Email" = "Hubungi via Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Hubungi dukungan"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Hubungi kami di %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Struktur Konten\nBlok: %1$li, Kata: %2$li, Karakter: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Lanjutkan"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Lanjutkan Bekerja"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Melanjutkan dengan Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Konversi ke blok"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Memasak"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Blok disalin"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Salin Tautan ke Komentar"; /* No comment provided by engineer. */ -"Copy block" = "Salin blok"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Salin URL file"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Tidak dapat memeriksa pembelian situs."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Tidak dapat mengikuti situs"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Buat Pos Cerita"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Buat situs WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Buat Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Buat situs baru"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Buat situs baru untuk bisnis, majalah, atau blog personal Anda; atau hubungkan akun WordPress yang sudah ada."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Buat pos atau halaman"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Buat pos, halaman, atau cerita"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Buat cadangan yang dapat diunduh"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Sedang memulihkan: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Pesan kustom..."; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Kustomisasi pengaturan situs Anda, seperti Suka, Komentar, Mengikuti, dan lainnya."; -/* No comment provided by engineer. */ -"Cut block" = "Potong blok"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Gelap"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 Desember 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL Asal"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Default untuk Pos Baru"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Kesalahan Hapus Situs"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Hapus menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Hapus tag ini"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Deskripsi"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Desain"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Rincian"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nama Tampilan"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Menampilkan statistik situs semua waktu di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Tampilkan statistik situs Anda untuk minggu ini di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Tampilkan statistik situs Anda untuk hari ini di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dokumen: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Informasi kontak domain"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Pemilik domain harus berbagi informasi kontak di database publik semua domain. Dengan Perlindungan Privasi, kami memublikasikan informasi kami sendiri, bukan informasi Anda, dan meneruskan segala komunikasi kepada Anda secara pribadi."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domain"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Selesai"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Jangan khawatir"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Menampilkan statistik situs semua waktu di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Tampilkan statistik situs Anda untuk minggu ini di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Tampilkan statistik situs Anda untuk hari ini di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dokumen: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Informasi kontak domain"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Pemilik domain harus berbagi informasi kontak di database publik semua domain. Dengan Perlindungan Privasi, kami memublikasikan informasi kami sendiri, bukan informasi Anda, dan meneruskan segala komunikasi kepada Anda secara pribadi."; + +/* Title for the Domains list */ +"Domains" = "Domain"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Selesai"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Jangan khawatir"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Ketuk dua kali dan tahan untuk memindahkan item menu ini ke atas atau ke bawah"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Ketuk dua kali untuk membuka Lembar Tindakan dengan opsi yang tersedia"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Ketuk dua kali untuk membuka Lembar Bawah dengan opsi yang tersedia"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Ketuk dua kali untuk mengulangi perubahan terakhir"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Unduh cadangan"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Unduh file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Unduhan"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Konsep"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplikat"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplikasi blok"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Timur"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit blok %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Daftar Blokir Kata"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Sunting Postingan"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Sunting file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Sunting pos dan halaman baru dengan penyunting blok."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Sunting tombol berbagi"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Sunting pos terlebih dahulu"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit menggunakan editor web"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email terkirim!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Kosong"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL Kosong"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Aktifkan"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Tanggal Selesai"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Masuk ke Layar Penuh"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Masukkan nilai kustom"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Masukkan kata sandi untuk melindungi pos ini"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Masukkan kata yang berbeda dengan yang di atas dan kami akan mencari alamat yang cocok dengan kata tersebut."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Masukkan kredensial server Anda untuk mengaktifkan pemulihan situs sekali klik dari pencadangan."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Terjadi error saat memperbarui pengaturan percepatan situs"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Peristiwa"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Pelajari paket"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Ekspor Konten"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Gambar Unggulan tidak termuat"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Mengambil Tema..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Jenis file"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Isi dengan pengelola kata sandi"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Nama Depan"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Perbaiki Semua"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Diperbaiki"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Memperbaiki Ancaman"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Sepakbola"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Demi kenyamanan Anda, kami telah mengisi informasi kontak WordPress.com Anda terlebih dahulu. Harap tinjau untuk memastikan informasi yang ingin Anda gunakan untuk domain ini sudah benar."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Teruskan"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Gratis"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Keterangan galeri. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Jalankan situs Anda"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Mencari informasi akun"; /* Cancel */ "Give Up" = "Menyerah"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Berikan nama situs yang mencerminkan karakteristik dan topik situs Anda. Kesan pertama sangat berarti!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Konten HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Penajukan 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Penajukan 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Bantuan"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Ikon bantuan"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Berikut ini performa pos sejauh ini."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Sembunyikan keyboard"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Tahan untuk Moderasi"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Horeee!\nHampir selesai"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Bagaimana cara Jetpack memperbaikinya?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Saya Menyukainya"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Ikon & Teks"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Jika Anda melanjutkan dengan Apple atau Google dan belum memiliki akun WordPress.com, Anda akan membuat akun dan menyetujui _Ketentuan Layanan_ kami."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Jika Anda menghapus %1$@, pengguna itu tak lagi bisa mengakses situs ini, tetapi segala konten yang dibuat oleh %2$@ tetap ada di situs."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Ukuran Gambar"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Keterangan gambar. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Judul gambar"; +/* No comment provided by engineer. */ +"Image width" = "Lebar gambar"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Gambar, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Segera"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Dalam beberapa kata, jelaskan tentang apa situs ini."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Nonaktif"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nama pengguna atau kata sandi salah. Silakan coba masukkan rincian masuk Anda kembali."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "File inti yang terinfeksi"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Sisipkan Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Sisipkan media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Penyisipan dipilih"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Menginstal plugin pertama pada situs Anda dapat memerlukan waktu hingga 1 menit. Selama penginstalan, Anda tidak dapat melakukan perubahan pada situs."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Memperkenalkan Pos Cerita"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Miring"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Ketahui info terbaru mengenai performa situs Anda."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Pengguna Dikenali"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Pemandangan"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Bahasa"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Besar"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Ringkasan Pos Terbaru"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Pelajari Lebih Lanjut"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Pelajari lebih lanjut tentang format tanggal dan waktu."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Pelajari lebih lanjut tentang peran"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Ikon Lawas"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Mari Kami Bantu"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Beri tahu saya jika sudah selesai!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Kosong."; + /* Title for the app appearance setting for light mode */ "Light" = "Terang"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Tautkan Ke"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Tautkan ke konten yang sudah ada"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Tautan dalam komentar"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Buat daftar gaya"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Memuat"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Memuat..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Login dengan nama pengguna dan kata sandi WordPress.com Anda."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Logout dari WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Permintaan Masuk Kedaluwarsa"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Log"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Sepertinya Anda telah menyiapkan Jetpack di situs Anda. Selamat! Login dengan kredensial WordPress.com Anda untuk mengaktifkan Statistik dan Pemberitahuan."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Lupa sandi Anda?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigasi Utama"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Cocokkan akun menggunakan email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Ukuran Unggahan Gambar Maksimal"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Ukuran Unggahan Video Maksimal"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Unggahan Media"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media tidak memiliki file yang dikaitkan untuk diunggah."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Ukuran file media (%1$@) terlalu besar untuk diunggah. Ukuran yang diizinkan adalah %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Pratinjau media gagal."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media diunggah (%ld file)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Pantau masa aktif situs Anda"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Bulan"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Lainnya di WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Waktu yang Paling Disukai"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Geser bawah"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Pindahkan item menu"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Pindahkan komentar ke Tempat Sampah"; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Musik"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Profil Saya"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Tiket Saya"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nama"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigasikan untuk menyesuaikan gradasi"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Butuh Bantuan?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Daftar Blokir Kata Baru"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Ikon Aplikasi Kustom Baru"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Pos baru"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Terbaru"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Lanjut"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Langkah Berikutnya"; /* Accessibility label for the next notification button */ "Next notification" = "Pemberitahuan selanjutnya"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Periode selanjutnya"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Tidak"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Tidak ada Koneksi"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Tak ada Item"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Belum ada komentar"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Tidak ada pos."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Tidak ada pos terbaru"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Tidak melihat e-mailnya? Periksa folder Spam atau Sampah."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Catatan: Tata letak kolom dapat bervariasi antara tema dan ukuran layar"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Tidak ditemukan apa-apa."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Nomor"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Daftar Bernomor"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Tombol One Password"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Hanya lihat statistik yang paling relevan. Tambahkan wawasan untuk menyesuaikan dengan kebutuhan Anda."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Maaf!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Buka Menu Tindakan Blokir"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Buka Pengaturan Perangkat"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Buka WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Buka pemilih media penuh"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Atau login dengan _memasukkan alamat situs Anda_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Daftar Berurutan"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisasi"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Situs Lainnya"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Ditumpuk"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEPON"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Halaman"; +/* No comment provided by engineer. */ +"Page Link" = "Tautan Halaman"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Halaman Dipulihkan ke Draf"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Pengaturan Halaman"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Blok pemisah halaman. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Penentuan halaman"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraf"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Kategori Induk"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Tempel URL"; /* No comment provided by engineer. */ -"Paste block after" = "Tempel blok setelah"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Tempel tanpa Format"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pilih tata letak halaman beranda favorit Anda. Anda dapat menyunting dan menyesuaikannya nanti."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Paket"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Paket"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Putar Video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Silakan tambahkan konten sebelum menerbitkan."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Bahasa populer"; +/* No comment provided by engineer. */ +"Portrait" = "Potret"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Postingan"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Kategori Pos"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format Tulisan"; +/* No comment provided by engineer. */ +"Post Link" = "Tautan Pos"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Pos Dipulihkan ke Draf"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Diposting oleh %1$@, dari %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Pos dibuat pada %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Pos gagal diunggah"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Pos dipindahkan ke sampah."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Dipos di %1$@, di %2$@, oleh %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Aktivitas Posting"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Tulisan-tulisan"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Halaman Pos"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Didukung oleh Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Pratinjau situs baru Anda untuk mengetahui tampilan situs yang akan dilihat oleh pengunjung."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Pemberitahuan sebelumnya"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Periode sebelumnya"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Situs Utama"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Proyek"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publik"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Mempublikasikan..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Pembelian"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Pemberitahuan push telah dinonaktifkan di pengaturan iOS Aktifkan kembali “Izinkan Pemberitahuan”."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Mulai Cepat"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Beri nilai kami di App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Baca di"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Dihubungkan kembali"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Perujuk"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Pos Terkait menampilkan konten yang relevan dari situs Anda di bawah pos Anda"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Buang pos ini dari pos saya yang disimpan."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Hapus video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Ganti file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Ganti gambar atau video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ubah Ukuran & Potong"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolusi"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Pulihkan Situs"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Pulihkan hingga ke titik ini"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Blok pakai ulang tidak dapat disunting di WordPress untuk iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Kembalikan Perubahan Tertunda"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Peran"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Terkirim"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Pilih gaya paragraf"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Pilih %@ untuk menambahkan akun media sosial Anda"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Mengirim pemberitahuan push"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Sajikan gambar dari server kami"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Atur sebagai Halaman Pos"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Siapkan"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Error saat berbagi"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Tampilkan Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Tampilkan Pos Terkait"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Tampilkan kata sandi"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Tampilkan konten pos"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Tampilkan bagian"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Menampilkan hanya pos saya"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Menampilkan statistik untuk:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Menampilkan pos situs."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Mendaftar"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Bahasa Situs"; +/* No comment provided by engineer. */ +"Site Logo" = "Logo Situs"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Halaman situs"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Atur zona waktu (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Judul situs berhasil diubah"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Situs"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Rekomendasi situs"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Ukuran"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Sosial"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Gagal mengunggah beberapa media. Tindakan ini akan menghapus semua media yang gagal dari pos tersebut.\nTetap simpan?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Maaf, nama pengguna tersebut sudah eksis!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Maaf, nama pengguna itu tidak tersedia."; +"Sorry, that username is unavailable." = "Maaf, nama pengguna itu tidak tersedia."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Maaf, nama pengguna hanya dapat mengandung huruf kecil (a-z) dan angka saja."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Urutkan Berdasarkan"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Kode Sumber"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Selatan"; /* Label for showing the available disk space quota available for media */ "Space used" = "Ruang terpakai"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Tingkatkan kecepatan situs Anda"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standar"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Mulai"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Mulai menulis…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Coretan"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Mengirim untuk Ditinjau..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Berhasil menghapus indeks spotlight"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Dukungan"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Pindah Situs"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Default sistem"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Daftar Isi"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabel menunjukkan %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tautan Tag"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag sudah ada"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Beri tahu kami situs macam apa yang ingin Anda buat"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Syarat dan Ketentuan"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Hanya Teks"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Kirimi saya kode saja"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Terima kasih telah memilih %1$@ dari %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Desain WordPress untuk Aplikasi Android Mengalami Perubahan Besar"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Aplikasi tidak dapat mengenali respon server. Silakan periksa konfigurasi pada situs Anda."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Sertifikat untuk server ini tidak sah. Anda mungkin tersambung dengan server yang menyamar sebagai “%@” yang bisa membuat informasi rahasia Anda beresiko,\n\nApakah Anda ingin mempercayai sertifikat itu?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "File %1$@ berisi pola kode berbahaya"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video tidak bisa ditambahkan ke Pustaka Media."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema Diaktifkan"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Ada masalah menghubungkan dengan %@. Hubungkan kembali untuk terus menerbitkan."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Aplikasi ini memerlukan izin untuk mengakses pustaka perangkat Anda untuk menambahkan foto dan\/atau video ke pos Anda. Harap ubah pengaturan privasi jika Anda ingin mengizinkan ini."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Domain ini tidak tersedia"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Ancaman diabaikan."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatur"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Judul"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Judul untuk kategori wajib diisi."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Untuk menambahkan foto atau video ke pos Anda."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Untuk melanjutkan dengan akun Google ini, harap login terlebih dahulu dengan kata sandi WordPress.com Anda. Hal ini hanya akan ditanyakan sekali."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Untuk mengambil foto atau video agar dapat digunakan di pos Anda."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Alihkan Sumber HTML "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Mengaktifkan dan menonaktifkan gaya daftar yang diurutkan"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Kata"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Lalu Lintas"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Ubah %s menjadi"; - -/* No comment provided by engineer. */ -"Transform block…" = "Mengubah blok..."; - /* No comment provided by engineer. */ "Translate" = "Terjemahan"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nama Pengguna Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Ketikkan kata kunci untuk mendapatkan lebih banyak ide"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Situs Tanpa Nama"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Daftar Tidak Berurut"; /* Filters Unread Notifications */ "Unread" = "Belum dibaca"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Perubahan Belum Disimpan"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Tak Berjudul"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Log hingga tujuh hari disimpan."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Unggah Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Unggah ikon situs"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Unggah gambar, atau pilih gambar dari penyimpanan media, untuk logo situs Anda"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Unggah gagal"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Gunakan Lokasi Saat Ini"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Gunakan penyunting blok"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Gunakan tautan ini untuk mendaftarkan anggota tim Anda tanpa harus mengundang mereka satu per satu. Siapa pun yang mengunjungi URL berikut akan dapat mendaftar ke organisasi Anda meskipun mereka menerima tautan dari orang lain, jadi pastikan Anda membagikannya dengan orang tepercaya."; /* No comment provided by engineer. */ "Use this site" = "Gunakan situs ini"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifikasi alamat email Anda - instruksi dikirim ke %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versi"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Versi %@ tersedia"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Pratinjau Video Tidak Tersedia"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Keterangan video. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Ekspor video dibatalkan."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Pemirsa"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema yang Rentan %1$@ (versi %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Admin WP"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Selamat Datang di Pembaca"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Selamat datang di pembuat situs web terpopuler di dunia."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ups, kode verifikasi dua faktor tersebut tidak valid. Periksa kembali kode Anda kemudian coba lagi!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widget"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Tidak akan ditampilkan secara publik."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Dengan editor yang hebat ini, Anda dapat langsung menerbitkan pos."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Pengaturan Aplikasi WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Tulis balasan..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Tulisan"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Situs Anda telah dibuat!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Saat ini Anda menggunakan penyunting blok untuk pos baru — hebat! Jika Anda ingin mengubah ke penyunting klasik, buka ‘Situs Saya’ > ‘Pengaturan Situs’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[KOMENTAR]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "satu jam"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "oleh %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "sambungan"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "outline dokumen"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "ketuk dua kali untuk mengubah unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "misalnya 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "misalnya 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "contoh.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "pengikut"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/alamat-situs-saya (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "gambar"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "di \"Aplikasi\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "belakangan hari ini"; +/* No comment provided by engineer. */ +"link" = "taut"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "dari"; +/* No comment provided by engineer. */ +"ordered list" = "daftar berurut"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "lainnya"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "Kata sandi"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "nomor telepon"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "pos"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "ringkasan"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "item berikut akan dihapus:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "hari ini"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, situs, situs, blog, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "domain baru Anda %@ sedang disiapkan. Situs Anda melakukan perubahan dalam keseruan!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domain"; diff --git a/WordPress/Resources/is.lproj/Localizable.strings b/WordPress/Resources/is.lproj/Localizable.strings index 6067288ced50..3161f4a3b95a 100644 --- a/WordPress/Resources/is.lproj/Localizable.strings +++ b/WordPress/Resources/is.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "\"meira\" hnappur inniheldur fellivalmynd sem birtir deilihnappa"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Um"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Bæta við alt texta"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Bæta við sjálf-hýstum vef"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albúm"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Jöfnun"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Óþekkt villa kom upp. Vinsamlegast reynið aftur."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Ertu viss um að þú viljir hætta við og glata öllum breytingum?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Höfundar"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Tilvitnun"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Lesandi bloggs"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Feitletra"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Skipta umræðuþráðum niður á síður."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Hnappastíll"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Reikna..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Myndavél"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Myndatexti"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Varlega!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Flokkur"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Nafn flokks vantar."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Skírteinisvilla"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Breyting mistókst"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Villa kom upp við að athuga kaup"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Loka fyrir athuagsemdir"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Tengingar"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Hafa samband"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Hafa samband við notendaþjónustu"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Hafðu samband við okkur í %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Halda áfram að vinna"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Gat ekki skoðað veftengd kaup."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Stofna WordPress.com vef"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Breyttu stillingum vefsins þíns fyrir að líka við, athugasemdir, fylgjendur og fleira."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Sjálfgildi fyrir nýjar færslur"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Villa við að eyða vef"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Lýsing"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Upplýsingar"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nafn til að sýna"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Lén"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Búinn"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Lén"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Búinn"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Austur"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Breyta færslu"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Breyta deilihnöppum"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Tölvupóstur sendur!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Tómt"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Auð vefslóð"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Flytja út efni"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Einkennismynd hlóðst ekki inn"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Sæki þemu..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Skráartegund"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Eiginnafn"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Áfram"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Ókeypis"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Sæki upplýsingar um aðgang"; /* Cancel */ "Give Up" = "Gefast upp"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML efni"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Haus 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Haus 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Hjálp"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Setja á bið eftir samþykki"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Mér líkar við það"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Táknmynd & texti"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Stærð myndar"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Titill myndar"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Mynd, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Strax"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Í fáeinum orðum, segðu hvað þessi vefur gerir eða fjallar um."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Ógilt notandanafn eða lykilorð. Vinsamlegast sláðu inn innskráningarupplýsingar þínar aftur."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Setja inn skrá"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Setja inn skrá"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Skáletra"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Þekktir notendur"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Fyrirsögn"; +/* No comment provided by engineer. */ +"Landscape" = "Landscape"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Tungumál"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Stór"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Samantekt um síðustu færslu"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Leyfðu okkur að aðstoða"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Tengja við"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Tenglar í athugasemdum"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Hleð..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Staðvært"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Innskráningarbeiðni rann út"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Annálar"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Tapað lykilorð?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Aðalvalmynd"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Hámarksstærð myndar til upphleðslu"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Ekki tókst að forskoða skrá."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Mánuðir"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Minn prófíll"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Vantar þig aðstoð?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Nýjustu"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Næsta"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Næsta tilknning"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Nei"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Engin tenging"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Engin atriði"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Engar athugasemdir enn"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Engar nýlegar færslur"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Ekkert fannst"; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Númeraður listi"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Úbbs!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Opna stillingar tækis"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Opna WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Raðaður listi"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Aðrir vefir"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Síða"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Síða endurvakin sem drög"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Síðuskipting"; +/* No comment provided by engineer. */ +"Paragraph" = "Efnisgrein"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Yfirflokkur"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Áskriftarleiðir"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Vinsæl tungumál"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Færsla"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Færsluflokkar"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Færslusnið"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Færsla endurvakin sem drög"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Færslu hent í ruslið."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Færsluvirkni"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Færslur"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Sérfræðingar"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Fyrri tilkynning"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Aðalvefur"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Verkefni"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Birt"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Birti..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Kaup"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Gefðu okkur einkunn í App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Endurtengt"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Tengdar færslur birta viðeigandi efni af vefnum þínum fyrir neðan færslurna þínar"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Minnka & skera til"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Afturkalla yfirvofandi breytingu"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Hlutverk"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS sent"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Veldu stíl efnisgreinar"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Birta haus"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Birta tengdar færslur"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Tungumál síðu"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Þínir vefir"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Stærð"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Einhverjar skráarupphleðslur mistókust. Þessi aðgerð fjarlægir allar gallaðar skrár úr færslunni.\nVista samt sem áður?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Því miður, þetta notandanafn er nú þegar til!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Því miður, þetta notandanafn er ekki í boði."; +"Sorry, that username is unavailable." = "Því miður, þetta notandanafn er ekki í boði."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Því miður, notendanöfn geta einungis innihaldið lágstafi (a-z) og tölustfai."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Raða eftir"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Kóði"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Suður"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Staðlað"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Byrja upp á nýtt"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Útstrika"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Sendi til yfirlestrar..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Aðstoð"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Skipta um vef"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Efnisorð"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Einungis texti"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Takk fyrir að velja %1$@ frá %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "WordPress forritið fyrir Android fær stóra andlitslyftingu"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Forritið gat ekki skilið svarið frá netþjóninum. Vinsamlegast yfirfarið stillingar á vefnum þínum."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Skírteinið fyrir þennan netþjón er ógilt. Þú gætir verið að tengjast við netþjón sem er að þykjast vera “%@” og gæti það ógnað upplýsingaöryggi þínu.\n\nViltu treysta skírteininu engu að síður?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Þema virkjað"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Það er vandamál við að tengjast %@. Tengdu aftur til þess að halda birtingu áfram."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Þetta forrit þarf heimild til þess að komast í skrárnar þínar og setja inn myndir\/myndbönd í færslurnar þínar. Vinsamlegast breyttu persónuverndarstillingum ef þú vilt leyfa þetta."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Þumla"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Titill"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Flokkur verður að hafa nafn."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Til þess að bæta við myndum eða myndböndum í færslurnar þínar."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Til þess að taka myndir eða myndbönd til notkunar í færslunum þínum."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Sýna HTML kóða"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter notandanafn"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Vefur án nafns"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Óraðaður listi"; /* Filters Unread Notifications */ "Unread" = "Ólesið"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Óvistaðar breytingar"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Atburðaskrá er geymd í allt að sjö daga."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Halaðu upp skrá"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Nota núverandi staðsetningu"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Nota þennan vef"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Útgáfa"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Myndband, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Lesendur"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP kerfisstjóri"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Velkominn í Lesarann"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Verður ekki birtur öllum."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Skrifa svar..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Ritun"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[ATHUGASEMD]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "klukkutími"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "fylgjandi"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (vefslóð)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "í \"forritum\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "síðar í dag"; +/* No comment provided by engineer. */ +"link" = "tengill"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "eftirfarandi atriðum verður eytt:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "í dag"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Lén"; diff --git a/WordPress/Resources/it.lproj/Localizable.strings b/WordPress/Resources/it.lproj/Localizable.strings index 075c8accb6d4..abb1f7f28ae4 100644 --- a/WordPress/Resources/it.lproj/Localizable.strings +++ b/WordPress/Resources/it.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articoli non letti"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s è %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li parole, %2$li caratteri"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s opzioni blocco"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Blocco %s. Vuota"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Blocco %s. Questo blocco ha contenuti non validi"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' non è pienamente supportato"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Riga indirizzo %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 articolo bozza caricato"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potenziale minaccia trovata"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 ora"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un pulsante \"Altro\" contiene un menu a tendina che mostra i pulsanti di condivisione"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "È impostata un'immagine in evidenza. Tocca per modificarla."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un file contiene un modello di codice dannoso"; +/* No comment provided by engineer. */ +"A link to a category." = "Un link a una categoria."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Un link a una pagina."; + +/* No comment provided by engineer. */ +"A link to a post." = "Un link a un articolo."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Un link a un tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Un elenco dei siti su questo account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Una serie di passaggi per supportare l'aumento del pubblico del tuo sito."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Un tag con il nome '%@' esiste già."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "INDIRIZZO"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Info"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Aggiungi nuova scheda statistiche"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Aggiungi all'inizio"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Inserisci un argomento"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Aggiungi qui l'URL del CSS personalizzato per essere caricato in Reader. Se stai utilizzando Calypso localmente, potrebbe essere qualcosa come: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Aggiungi un sito ospitato personalmente"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Aggiungi un testo alternativo"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Aggiungi qualsiasi argomento"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Aggiungi un'immagine, o un avatar, per rappresentare questo nuovo account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Aggiungi blocco Paragrafo"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Aggiungi un sito su host privato"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Aggiungi tag"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Aggiungi questo link dell'e-mail"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Aggiungi questo link del telefono"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Aggiunta delle funzionalità del sito"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Album"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Allineamento"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Si è verificato un errore."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Si è verificato un errore sconosciuto. Riprova."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approva il commento."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Desideri annullare e scartare le modifiche?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Desideri aggiornare?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "A partire dal 1 agosto 2018, Facebook non consente più la condivisione diretta degli articoli sui profili di Facebook. Le connessioni alle pagine di Facebook restano invariate."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Allega file come link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Didascalia audio. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Didascalia audio. Vuota"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autori"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-gestito"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Condividi automaticamente i nuovi articoli sui tuoi account sui social media."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Aggiornamenti automatici"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Blocco di citazione"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blocco copiato"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blocco tagliato"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blocco duplicato"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor a blocchi abilitato"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blocca i tentativi di accesso dannosi"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blocco incollato"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blocco rimosso"; - -/* No comment provided by engineer. */ -"Block settings" = "Impostazioni del blocco"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blocca questo sito"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Visitatore del blog"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Grassetto"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Suddividi i commenti su più pagine."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Sfoglia tutti i nostri temi per trovare quello perfetto per te."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Protezione dagli attacchi di forza bruta"; @@ -980,7 +1159,10 @@ "Button Style" = "Stile del pulsante"; /* No comment provided by engineer. */ -"ButtonGroup" = "Gruppo pulsante"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "Di"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calcolo in corso..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Fotocamera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Didascalia"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Stai attento!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; +/* No comment provided by engineer. */ +"Category Link" = "Link categoria"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Manca il titolo della categoria"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Errore di certificato"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Cambia la password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Modifica la posizione del blocco"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Modifica non riuscita"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Cambia il tipo di dispositivo usato per la visualizzazione in anteprima"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Modifica del nome utente"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Controlla gli errori negli acquisti"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Scegli il dominio"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Scegli il file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Cancellare tutti i log delle vecchie attività?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Commenti chiusi"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Chiudi la schermata Io"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Codice"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Compresso, %i attività completate, la disattivazione espande l'elenco di queste attività"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Sfondi colorati"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combina foto, video e testo per creare articoli della storia coinvolgenti e che si possono toccare che i visitatori ameranno."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connessioni"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contatto"; + /* Support email label. */ "Contact Email" = "Email di contatto"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contatta il supporto"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contattaci all'indirizzo %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Struttura del contenuto\nBlocchi: %1$li, parole: %2$li, caratteri%3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Prosegui"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continua a lavorare"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continua con Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Converti in blocchi"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Blocco copiato"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copia il link per commentare"; /* No comment provided by engineer. */ -"Copy block" = "Copia il blocco"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copia URL del file"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Non è stato possibile controllare se il sito ha componenti acquistati."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Non è stato possibile seguire il sito"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Crea articolo della storia"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Crea un sito WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Crea una tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Crea un nuovo sito"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Crea un nuovo sito per la tua azienda, rivista o blog personale; in alternativa, connetti un sito WordPress esistente."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Crea un articolo o una pagina"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Crea un articolo, una pagina o una storia"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Crea backup scaricabile"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Ripristino in corso: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Messaggio personalizzato…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personalizza le impostazioni del tuo sito per i Like, commenti, follower e molto altro."; -/* No comment provided by engineer. */ -"Cut block" = "Taglia il blocco"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Scuro"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 dicembre 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Predefinito"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL predefinito"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Valori predefiniti per i nuovi articoli"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Errore relativo all'eliminazione del sito"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Cancella menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Elimina questo tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Descrizione"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detagli"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nome da visualizare"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Visualizza tutte le tue statistiche del sito qui. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Visualizza qui le statistiche del tuo sito per questa settimana. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Visualizza qui le statistiche del tuo sito per oggi. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Documento: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Informazioni di contatto del dominio"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "I proprietari del dominio devono condividere le informazioni di contatto in un database pubblico di tutti i domini. Con la Protezione della privacy, pubblichiamo le nostre informazioni al posto delle tue e ti inoltriamo privatamente qualsiasi comunicazione."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domini"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Fatto"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Non preoccuparti di nulla"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Visualizza tutte le tue statistiche del sito qui. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Visualizza qui le statistiche del tuo sito per questa settimana. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Visualizza qui le statistiche del tuo sito per oggi. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Documento: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Informazioni di contatto del dominio"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "I proprietari del dominio devono condividere le informazioni di contatto in un database pubblico di tutti i domini. Con la Protezione della privacy, pubblichiamo le nostre informazioni al posto delle tue e ti inoltriamo privatamente qualsiasi comunicazione."; + +/* Title for the Domains list */ +"Domains" = "Domini"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Fatto"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Non preoccuparti di nulla"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Tocca due volte e tieni premuto per spostare questa voce di menu in alto o in basso"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Tocca due volte per aprire il foglio delle azioni per modificare, sostituire o cancellare l'immagine"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Tocca due volte per aprire il foglio delle azioni con le opzioni disponibili"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Tocca due volte per aprire il foglio nella parte inferiore per modificare, sostituire o cancellare l'immagine"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Tocca due volte per aprire il foglio in basso con le opzioni disponibili"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Tocca due volte per ripetere l'ultima modifica"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Scarica il backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Scarica il file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Download"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Bozze"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplica"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplica il blocco"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Est"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Modifica blocco %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Modifica elenco delle parole da bloccare"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Modifica articolo"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Modifica file"; /* No comment provided by engineer. */ "Edit focal point" = "Modifica il punto focale"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Modifica i nuovi articoli e le nuove pagine dall'editor a blocchi."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Modifica i pulsanti di condivisione"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Per prima cosa, modifica l'articolo"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Modifica utilizzando l'editor web"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email inviata!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vuota"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vuota"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Abilita"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Data di fine"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Attiva modalità schermo intero"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Inserisci un valore personalizzato"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Inserisci una password per proteggere questo articolo"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Inserire parole diverse nel campo in alto e cercheremo un indirizzo che corrisponda."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Inserisci le credenziali del server per abilitare i ripristini del sito con un clic dai backup."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Errore durante l'aggiornamento delle impostazioni del sito relative alla velocità"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Evento"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Esplora i piani"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Esporta contenuti"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Immagine in evidenza non caricata"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Recupero temi..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo di file"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Inserisci il programma di gestione delle password"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Nome"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Correggi tutto"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Risolta"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Risoluzione delle minacce"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Per agevolarti, abbiamo precompilato le tue informazioni di contatto di WordPress.com. Rileggi per verificare che le informazioni che desideri utilizzare per questo dominio siano corrette."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Inoltra"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Gratuito"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Didascalia della galleria. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Configura il sito ed eseguilo"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Recupero informazioni account"; /* Cancel */ "Give Up" = "Rinuncia"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dai al tuo sito un nome che rifletta la tua personalità e l'argomento. La prima impressione conta."; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Contenuto HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Intestazione 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Intestazione 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Titolo 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Titolo 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Aiuto"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Icona della guida"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Ecco le prestazioni del tuo articolo a oggi."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Nascondi la tastiera"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Mantieni in moderazione"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nQuasi fatto"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Come ha risolto il problema Jetpack?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Mi piace"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icona e testo"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Se continui con Apple o Google e non hai già un account WordPress.com, crei un account e accetti i nostri _Termini di servizio_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Se rimuovi %1$@, tale utente non potrà più accedere a questo sito, ma qualsiasi contenuto creato da %2$@ rimarrà sul sito."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Dimensione immagine"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Didascalia immagine. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Titolo immagine"; +/* No comment provided by engineer. */ +"Image width" = "Larghezza immagine"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Immagine, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Adesso"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Spiega in poche parole di cosa tratta il sito."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inattivo"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nome utente o password non corretti. Inserisci di nuovo le informazioni di accesso."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "File di base infetto"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserisci media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Inserisci media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Inserisci elemento selezionato"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "L'installazione del primo plugin sul tuo sito può richiedere fino a 1 minuto. In questo periodo di tempo non potrai apportare modifiche al sito."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introduzione agli articoli della storia"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Corsivo"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mantieni aggiornate le prestazioni del sito."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Utenti conosciuti"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etichetta"; +/* No comment provided by engineer. */ +"Landscape" = "Panorama"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Lingua"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Riassunto ultimo articolo"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Maggiori informazioni"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Scopri di più sulla formattazione di data e ora."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Scopri di più sui ruoli"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Icone legacy"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Permettici di aiutare"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Informami una volta terminata l'operazione."; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Livello %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Livello %s. Vuoto."; + /* Title for the app appearance setting for light mode */ "Light" = "Chiaro"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link a"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Inserisci un link a un contenuto esistente"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Link nei commenti"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Stile dell'elenco"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Carica"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Caricamento..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Telefono"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Accedi con il nome utente e la password di WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Desideri disconnetterti da WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Richiesta di login scaduta"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "I log"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Sembra che hai Jetpack installato sul tuo sito. Complimenti!\nAccedi con le tue credenziali WordPress.com per attivare le Statistiche e le Notifiche."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Password dimenticata?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigazione principale"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Trova gli account usando l’email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Dimensione massima caricamento immagini"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Dimensione massima per il caricamento video"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Caricamento di contenuti multimediali"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Gli elementi multimediali non sono associati a un file da caricare."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "La dimensione del file multimediale (%1$@) è eccessiva per il caricamento. Il massimo consentito è %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Anteprima dei contenuti multimediali non riuscita."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Elemento multimediale caricato (%ld file)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitora l’uptime del tuo sito"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Mesi"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Ulteriori informazioni su WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Orari più popolari"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Sposta sotto"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Rimuovi elemento menu"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Sposta il commento nel cestino."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Il mio profilo"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "I miei ticket"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nome"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Naviga alla personalizzazione del gradiente"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hai bisogno di aiuto?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nuovo elenco delle parole da bloccare"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nuove icone delle app personalizzate"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nuovi articoli"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Nuovi"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Successivo"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Passi successivi"; /* Accessibility label for the next notification button */ "Next notification" = "Prossima notifica"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Periodo successivo"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "No"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nessuna connessione"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Nessun elemento"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nessun commento"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Nessun articolo."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Nessun articolo recente"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Non trovi l'e-mail? Controlla la cartella dello spam o della posta indesiderata."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Nota: il layout delle colonne potrebbe cambiare in base in base al tema e alle dimensioni dello schermo"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nessun risultato."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Numero"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerata"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Pulsante One Password"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Vedi solo le statistiche più pertinenti. Aggiungi la panoramica secondo le tue esigenze."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Apri menu azioni del blocco"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Apri le impostazioni del dispositivo"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Apri WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Apri tutti i contenuti multimediali"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Altrimenti, accedi _inserendo l'indirizzo del tuo sito_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Elenco ordinato"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organizzazione"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Altri siti"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Sovrascritta"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFONO"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagina"; +/* No comment provided by engineer. */ +"Page Link" = "Link pagina"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagina ripristinata in Bozze"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Impostazioni pagina"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Blocco Interruzione di pagina. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginazione"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragrafo"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoria Genitore"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Incolla URL"; /* No comment provided by engineer. */ -"Paste block after" = "Incolla blocco dopo"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Incolla senza formattazione"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Scegli il layout che preferisci per la tua home page. Puoi modificarlo e personalizzarlo in un secondo momento."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Piano"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Piani"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Riproduci il video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Aggiungi alcuni contenuti prima di provare a pubblicare."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Lingue popolari"; +/* No comment provided by engineer. */ +"Portrait" = "Ritratto"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Invia"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorie articoli"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato articolo"; +/* No comment provided by engineer. */ +"Post Link" = "Link articolo"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Articolo ripristinato in Bozze"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Articolo di %1$@, da %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Articolo creato su %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Il post non è stato caricato"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Articolo spostato nel cestino."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Pubblicato su %1$@, alle %2$@, da %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Attività di pubblicazione"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Articoli"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Pagina degli articoli"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Promosso da Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Visualizza un’anteprima del to nuovo sito per scoprire cosa vedono i tuoi visitatori."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Notifica precedente"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Periodo precedente"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sito principale"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Progetti"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Pubblico"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Pubblico..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Acquisti"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Le notifiche push sono state disattivate nelle impostazioni iOS. Attiva\/Disattiva \"Consenti notifiche\" per riattivarle."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Tour iniziale"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Valutaci sull'App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Leggi su"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Riconnesso"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Articoli correlati visualizza contenuti pertinenti del tuo sito sotto i tuoi articoli"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Rimuovi questo articolo dai miei articoli salvati."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Rimuovi il video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Sostituisci file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Sostituisci immagine o video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ridimensiona & Ritaglia"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Risoluzione"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Ripristina sito"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Ripristina fino a questo punto"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "I blocchi riutilizzabili non sono modificabili su WordPress per iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Annulla modifica in sospeso"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Ruolo"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "Sms inviato"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Seleziona lo stile del paragrafo"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Seleziona %@ per aggiungere account dei social media"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Invia notifica push"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servi le immagini dai nostri server"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Imposta come pagina degli articoli"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Configura"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Condivisione dell'errore"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Mostra l'intestazione"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Mostra gli articoli correlati"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Mostra password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Mostra contenuti articolo"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Mostra sezione"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Mostra solo i miei post"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Mostra statistiche per:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Mostra gli articoli del sito."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Registrati"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Lingua del Sito"; +/* No comment provided by engineer. */ +"Site Logo" = "Logo del sito"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Pagina sito"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fuso orario del sito (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titolo del sito modificato correttamente"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Siti"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Siti da seguire"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Dimensione"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Alcuni caricamenti multimediali non sono riusciti. Questa azione eliminerà tutti i contenuti multimediali non caricati dall'articolo.\nSalvare?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Spiacenti, il nome utente che hai inserito è già in uso!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Il nome utente non è disponibile."; +"Sorry, that username is unavailable." = "Il nome utente non è disponibile."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Spiacenti, il nome utente può contenere solamente lettere (dalla a alla z) e numeri."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Ordina per"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Codice sorgente"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sud"; /* Label for showing the available disk space quota available for media */ "Space used" = "Spazio utilizzato"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Accelera il tuo sito"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Ricomincia"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Inizia a scrivere..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Barrato"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Invia per la revisione..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Indice Spotlight cancellato correttamente"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Supporto"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Cambia sito"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Sistema predefinito"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Indice dei contenuti"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "La tabella mostra %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Link tag"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Il tag esiste già"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Raccontaci quale tipologia di sito desideri realizzare"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Termini e condizioni"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Solo testo"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Inviami un codice invece"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Grazie per aver scelto %1$@ di %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Grande rinnovamento di WordPress per l'app Android"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "L'applicazione non è in grado di riconoscere la risposta del server. Si prega di controllare la configurazione del sito."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Il certificato per questo server non è valido. Continuando, corri il rischio di connetterti ad un server che finge di essere “%@”, il che potrebbe compromettere la sicurezza di informazioni riservate che ti appartengono.\n\nVuoi accettare comunque il certificato?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Il file %1$@ contiene un modello di codice dannoso"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Il video non può essere aggiunto alla libreria dei media. "; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema attivato"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Si è verificato un problema durante la connessione a %@. Riconnettiti per continuare a utilizzare la funzione Pubblicizza."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Questa app richiede l'autorizzazione a poter accedere alla libreria multimediale del dispositivo per aggiungere le foto e\/o i video ai tuoi articoli. Se desideri che ciò avvenga, modifica le impostazioni della privacy."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Questo dominio non è disponibile"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Minaccia ignorata."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Titolo"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Il titolo della categoria è obbligatorio."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Per aggiungere foto o video ai tuoi articoli."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Per procedere con questo account Google, accedi prima con la tua password di WordPress.com. Sarà chiesta una volta sola."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Per acquisire foto o video da usare nei tuoi articoli."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Mostra\/nascondi sorgente HTML"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Attiva o disattiva lo stile elenco ordinato"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Parole totali"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffico"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Trasforma %s in"; - -/* No comment provided by engineer. */ -"Transform block…" = "Trasforma il blocco..."; - /* No comment provided by engineer. */ "Translate" = "Traduci"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nome utente su Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Digita una parola chiave per ulteriori idee"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sito senza nome"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Elenco non ordinato"; /* Filters Unread Notifications */ "Unread" = "Non lette"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Cambiamenti non salvati"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Senza titolo"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Sono stati salvati sino a sette giorni di dati di log."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Carica media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Carica un'icona del sito"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Carica un'immagine o scegline una dalla libreria multimediale per impostarla come logo del tuo sito."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload fallito"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Utilizza la località corrente"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Usa editor a blocchi"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Usa questo link per accettare i membri del team senza doverli invitare uno per uno. Chiunque visiti questo URL potrà iscriversi alla tua organizzazione, anche se ha ricevuto un link da qualcun altro, quindi assicurati di condividerlo con le persone fidate."; /* No comment provided by engineer. */ "Use this site" = "Utilizza questo sito"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifica il tuo indirizzo email - istruzioni inviate a %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versione"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "È disponibile la versione %@"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Anteprima del video non disponibile"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Didascalia del video. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Esportazione del video annullata."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Visitatori"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema vulnerabile %1$@ (versione %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Benvenuto al Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Benvenuto nel costruttore di siti web più popolare del mondo."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Questo non è un codice di autenticazione a due fattori valido. Controlla il tuo codice e riprova!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widget"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Non sarà mostrato pubblicamente."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Con questo editor potente puoi pubblicare anche durante i tuoi spostamenti."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Impostazioni dell’app WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Rispondi..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Scrittura"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "L'indirizzo del tuo sito viene visualizzato sulla barra nella parte superiore dello schermo quando visiti il tuo sito su Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Il tuo sito è stato creato!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Ora stai usando l'editor dei blocchi per i nuovi articoli, fantastico. Se desideri passare all'editor classico, vai a \"Il mio sito\" > \"Impostazioni del sito\"."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "un'ora"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "di %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connessioni"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "struttura del documento"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ad esempio 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ad esempio 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "esempio.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/indirizzo-del-sito (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "Immagine"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"App\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "Più tardi"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "di"; +/* No comment provided by engineer. */ +"ordered list" = "Lista ordinata"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "altro"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "numero di telefono"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "articolo"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "Riepilogo"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "questi elementi verranno eliminati:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "oggi"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, siti, sito, blog, web log"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Il tuo nuovo dominio %@ è configurato. Il tuo sito fa i salti di gioia!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domini"; diff --git a/WordPress/Resources/ja.lproj/Localizable.strings b/WordPress/Resources/ja.lproj/Localizable.strings index 79de299ae03c..bf012313f4ce 100644 --- a/WordPress/Resources/ja.lproj/Localizable.strings +++ b/WordPress/Resources/ja.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-20 07:40:01+0000 */ +/* Translation-Revision-Date: 2021-05-05 01:52:24+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: ja_JP */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d件の未読の投稿"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$sを%2$sに変換しました"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d \/ %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$sです。%2$sは%3$s %4$sです。"; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 単語、%2$li 文字"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s ブロックオプション"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s ブロック。空"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s ブロック。このブロックは無効なコンテンツです"; +/* translators: %s: Number of comments */ +"%s comment" = "%s件のコメント"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s ラベル"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "「%s」は完全にはサポートされていません"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "住所の追加 %@"; +/* No comment provided by engineer. */ +"- Select -" = "- 選択 -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ 「ブロック」とは、マークアップのまとまりを\n\/\/ 説明するのに使っている抽象的な用語です。\n\/\/ このまとまりを一緒に組み立てると、ページの\n\/\/ コンテンツまたはレイアウトを形作れます。\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1件の下書きをアップロードしました"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "潜在的な脅威が1件見つかりました"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "1時間以下"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "「その他」ボタンには共有ボタンを表示するドロップダウンリストが含まれています"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "サイトの投稿カレンダー。"; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "よく使用されているタグのクラウド。"; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "訪問者がサイト内を移動できるようにするブロックのコレクション。"; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "アイキャッチ画像が設定されました。変更するにはタップしてください。"; /* Title for a threat */ "A file contains a malicious code pattern" = "ファイルには、悪意のあるコードが含まれています"; +/* No comment provided by engineer. */ +"A link to a category." = "カテゴリーへのリンク。"; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "カスタム URL へのリンク。"; + +/* No comment provided by engineer. */ +"A link to a page." = "ページへのリンク。"; + +/* No comment provided by engineer. */ +"A link to a post." = "投稿へのリンク。"; + +/* No comment provided by engineer. */ +"A link to a tag." = "タグへのリンク。"; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "このアカウントのサイトのリストです。"; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "訪問者を増やすための手順。"; +/* No comment provided by engineer. */ +"A single column within a columns block." = "カラムブロック内の1つのカラム。"; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "「%@」という名前のタグはすでに存在しています。"; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "住所"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "紹介"; /* Link to About screen for Jetpack for iOS */ @@ -364,10 +447,10 @@ "Active" = "有効"; /* The plugin is active on the site and has not enabled automatic updates */ -"Active, Autoupdates off" = "プラグイン有効化中。自動更新オフ。"; +"Active, Autoupdates off" = "プラグイン有効化中。自動更新オフ"; /* The plugin is active on the site and has enabled automatic updates */ -"Active, Autoupdates on" = "プラグイン有効化中。自動更新オン。"; +"Active, Autoupdates on" = "プラグイン有効化中。自動更新オン"; /* Add New Stats Card category title Noun. Links to a blog's Activity screen. @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "新しい統計カードを追加"; +/* No comment provided by engineer. */ +"Add Template" = "テンプレートを追加"; + /* No comment provided by engineer. */ "Add To Beginning" = "先頭に追加"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "トピックを追加"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "コンテンツを複数のカラムで表示するブロックを追加し、その後、お好みのコンテンツブロックを配置しましょう。"; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Twitter、Instagram、YouTube など他サイトからコンテンツを引用表示するブロックを追加します。"; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Reader に読み込むカスタム CSS URL はここに追加できます。Calypso をローカル環境で実行している場合、次のようになります: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "ファイルをダウンロードするリンクを追加します。"; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "固定ページやリンク、その他の項目をナビゲーションメニューに追加します。"; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "インストール型サイトを追加"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "代替テキストを追加"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "テキストオーバーレイを含む画像または動画を追加します。ヘッダーに最適です。"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "任意のトピックを追加"; +/* No comment provided by engineer. */ +"Add caption" = "キャプションを追加"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "引用元を追加"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "カスタム HTML コードを追加します。編集しながらプレビューが可能です。"; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "この新規アカウントを表す画像またはアバターを追加します。"; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "段落ブロックを追加"; +/* translators: placeholder text used for the quote */ +"Add quote" = "引用を追加"; + /* Add self-hosted site button */ "Add self-hosted site" = "インストール型サイトを追加"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "タグを追加"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "スペースやタブを含むテキストを追加し、スタイリングして表示します。"; + +/* No comment provided by engineer. */ +"Add text…" = "テキストを追加…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "投稿の投稿者を追加します。"; + +/* No comment provided by engineer. */ +"Add the date of this post." = "投稿の日付を追加します。"; + /* No comment provided by engineer. */ "Add this email link" = "このメールリンクを追加"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "この電話リンクを追加"; +/* No comment provided by engineer. */ +"Add tracks" = "トラックを追加"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "ブロックの間に、高さをカスタマイズ可能な余白を追加します。"; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "サイト機能の追加"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "アルバム"; +/* No comment provided by engineer. */ +"Align column center" = "カラムを中央配置"; + +/* No comment provided by engineer. */ +"Align column left" = "カラムを左寄せ"; + +/* No comment provided by engineer. */ +"Align column right" = "カラムを右寄せ"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "配置"; @@ -562,7 +702,7 @@ "Allow access so you can start taking photos and videos." = "写真と動画の撮影を開始するにはアクセスを許可します。"; /* A short description of the comment like sharing setting. */ -"Allow all comments to be Liked by you and your readers" = "すべてのコメントに対して自分や他の読者から「いいね」の評価を付けられるようにします。"; +"Allow all comments to be Liked by you and your readers" = "すべてのコメントに対して自分や他の読者から「いいね」の評価を付けられるようにします"; /* Allow button title shown in alert preparing users to grant permission for us to send them push notifications. Button label for approving our request to allow push notifications */ @@ -601,7 +741,7 @@ "An active internet connection is required to view Jetpack Scan" = "Jetpack Scan を表示するにはインターネット接続が必要です"; /* Error message shown when trying to view the Activity Log feature and there is no internet connection. */ -"An active internet connection is required to view activities" = "アクティビティを表示するには、有効なインターネット接続が必要です。"; +"An active internet connection is required to view activities" = "アクティビティを表示するには有効なインターネット接続が必要です"; /* An error message shown when there is no internet connection. */ "An active internet connection is required to view plans" = "プランを表示するには有効なインターネット接続が必要です"; @@ -614,7 +754,7 @@ "An active internet connection is required to view stats" = "統計情報を表示するにはインターネット接続が必要です"; /* Error message shown when trying to view the Scan History feature and there is no internet connection. */ -"An active internet connection is required to view the history" = "履歴を表示するにはインターネット接続が必要です。"; +"An active internet connection is required to view the history" = "履歴を表示するには有効なインターネット接続が必要です"; /* An error description explaining that a Menu could not be created. */ "An error occurred creating the Menu." = "メニューを作成する際にエラーが発生しました。"; @@ -641,11 +781,14 @@ "An error occurred when attempting to attach uploaded media to the post." = "アップロード済みのメディアファイルを投稿に添付しようとした際にエラーが発生しました。"; /* Used when a remote response doesn't have a specific message for a specific request */ -"An error occurred while processing your request: " = "リクエストの処理中にエラーが発生しました。"; +"An error occurred while processing your request: " = "リクエスト処理中にエラーが発生しました: "; /* Text displayed when a stat section failed to load. */ "An error occurred." = "エラーが発生しました。"; +/* No comment provided by engineer. */ +"An example title" = "タイトル"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "不明なエラーが発生しました。もう一度お試しください。"; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "コメントを承認。"; +/* No comment provided by engineer. */ +"Archive Title" = "アーカイブタイトル"; + +/* No comment provided by engineer. */ +"Archive title" = "アーカイブタイトル"; + +/* No comment provided by engineer. */ +"Archives settings" = "アーカイブ設定"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "本当に変更をキャンセル、破棄しますか ?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "更新してもよいですか ?"; +/* No comment provided by engineer. */ +"Area" = "エリア"; + /* An example tag used in the login prologue screens. */ "Art" = "アート"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "2018年8月1日以降、Facebook では Facebook プロフィールへの投稿の直接共有ができなくなります。Facebook ページとの連携については変更ありません。"; +/* No comment provided by engineer. */ +"Aspect Ratio" = "縦横比"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "リンクとしてファイルを添付"; +/* No comment provided by engineer. */ +"Attachment page" = "添付ファイルのページ"; + /* No comment provided by engineer. */ "Audio Player" = "音声プレーヤー"; +/* No comment provided by engineer. */ +"Audio caption text" = "音声ファイルのキャプションのテキスト"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "音声キャプション。 %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "音声キャプション。 空"; +/* No comment provided by engineer. */ +"Audio settings" = "音声設定"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "音声ファイル、%@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "投稿者"; +/* No comment provided by engineer. */ +"Auto" = "自動"; + /* Describes a status of a plugin */ "Auto-managed" = "自動管理"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "新しい投稿を自分のソーシャルメディアアカウントと自動的に共有しましょう。"; +/* No comment provided by engineer. */ +"Autoplay" = "自動再生"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "自動更新"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "ブロッククオート"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "ブロックをコピーしました"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "ブロックを切り取りました"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "ブロックを複製しました"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "ブロックは、ブロック自身の内部でレンダリングできません。"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "ブロックエディターを有効にしました"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "ブロックは削除されたか、利用できません。"; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "悪意のあるログイン試行をブロックする"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "ブロックを貼り付けました"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "削除したブロック"; - -/* No comment provided by engineer. */ -"Block settings" = "ブロックの設定"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "このサイトをブロック"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "ブログの読者"; +/* No comment provided by engineer. */ +"Body cell text" = "本文セルのテキスト"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "太字"; +/* No comment provided by engineer. */ +"Border" = "枠線"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "コメントスレッドを複数のページに分けます。"; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "スクリーンリーダーのユーザーを支援するため、リンクを簡潔に説明しましょう。"; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "すべてのテーマからぴったりのデザインを見つけましょう。"; +/* No comment provided by engineer. */ +"Browse all templates" = "すべてのテンプレートを探す"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "すべてのテンプレートを探す。ナビゲーションサイドパネルにテンプレートメニューを開きます。"; + +/* No comment provided by engineer. */ +"Browser default" = "ブラウザーデフォルト"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "総当たり攻撃対策"; @@ -980,7 +1159,10 @@ "Button Style" = "ボタンスタイル"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "縦に表示されるボタン。"; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "横に表示されるボタン。"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "計算中..."; +/* No comment provided by engineer. */ +"Call to Action" = "行動喚起"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "カメラ"; @@ -1018,10 +1203,10 @@ "Can Not Request Link" = "リンクをリクエストできません"; /* Alert message that is shown when trying to publish empty page */ -"Can't publish an empty page" = "空のページは公開できません。"; +"Can't publish an empty page" = "空のページは公開できません"; /* Alert message that is shown when trying to publish empty post */ -"Can't publish an empty post" = "空の投稿はできません。"; +"Can't publish an empty post" = "空の投稿は公開できません"; /* Alert dismissal title Button label when canceling alert in quick start @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "キャプション"; +/* No comment provided by engineer. */ +"Captions" = "キャプション"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "ご注意ください。"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "カテゴリー"; +/* No comment provided by engineer. */ +"Category Link" = "カテゴリーリンク"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "カテゴリー名を入力してください。"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "証明書エラー"; +/* No comment provided by engineer. */ +"Change Date" = "日付を変更"; + /* Account Settings Change password label Main title */ "Change Password" = "パスワードの変更"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "ブロックの位置を変更"; +/* No comment provided by engineer. */ +"Change column alignment" = "カラムの配置を変更"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "変更に失敗しました"; +/* No comment provided by engineer. */ +"Change heading level" = "見出しレベルを変更"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "プレビューに使用するデバイスのタイプを変更"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "ユーザー名を変更しています"; +/* No comment provided by engineer. */ +"Chapters" = "チャプター"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "購入エラーをチェック"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "ドメインを選択"; +/* No comment provided by engineer. */ +"Choose existing" = "既存のものを選択"; + /* No comment provided by engineer. */ "Choose file" = "ファイルを選択"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "すべてのアクティビティログを削除しますか ?"; +/* No comment provided by engineer. */ +"Clear customizations" = "カスタマイズをクリア"; + /* No comment provided by engineer. */ "Clear search" = "検索をクリア"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "コメントを閉じる"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "グローバルスタイルサイドバーを閉じる"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "リストビューのサイドバーを閉じる"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "設定サイドバーを閉じる"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Me 画面を閉じる"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "ソースコード"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "折りたたんだ %i の完了タスクを切り替えて、これらのタスクのリストを展開します"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "カラフルな背景"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "カラム %d のテキスト"; + +/* No comment provided by engineer. */ +"Column count" = "カラム数"; + +/* No comment provided by engineer. */ +"Column settings" = "カラム設定"; + +/* No comment provided by engineer. */ +"Columns" = "カラム"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "ブロックをグループにまとめます。"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "写真、動画、文章を組み合わせて、見た人が心をつかまれタップしたくなるような、好感を持たれるストーリー投稿を作ります。"; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "連携"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "連絡"; + /* Support email label. */ "Contact Email" = "連絡先メールアドレス"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "サポートに問い合わせる"; +/* No comment provided by engineer. */ +"Contact us" = "お問い合わせ"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "%@ までお問い合わせください"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "コンテンツの構造\nブロック数 : %1$li、単語数 : %2$li、文字数 : %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "このブロックより前のコンテンツを、アーカイブページの抜粋に表示します。"; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "次へ"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "WordPress.com で続行"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "作業を続ける"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple と連携しています"; +/* No comment provided by engineer. */ +"Convert to blocks" = "ブロックへ変換"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "番号付きリストに変換"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "箇条書きリストに変換"; + /* An example tag used in the login prologue screens. */ "Cooking" = "料理"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "クリップボードに URL をコピーしました。"; + /* No comment provided by engineer. */ "Copied block" = "コピーしたブロック"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "コメントへのリンクをコピー"; /* No comment provided by engineer. */ -"Copy block" = "ブロックをコピー"; +"Copy URL" = "URL をコピー"; /* No comment provided by engineer. */ "Copy file URL" = "ファイルの URL をコピー"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "サイトで購入した内容を確認できませんでした。"; +/* translators: 1. Error message */ +"Could not edit image. %s" = "画像を編集できませんでした。%s"; + /* Title of a prompt. */ "Could not follow site" = "サイトをフォローできませんでした"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "ストーリー投稿を作成"; +/* No comment provided by engineer. */ +"Create Table" = "表を作成"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com サイトを作成"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "タグの作成"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "水平の区切りを使って、アイデアやセクションの間で改行します。"; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "番号なし、または番号付きのリストを作成します。"; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "新規サイトを作成"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "ビジネス、マガジン、個人ブログ用の新しいサイトを作成するか、既存の WordPress インストール環境を関連付けてください。"; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "新しいテンプレートパーツを作成するか、リストから既存のものを選択します。"; + /* Accessibility hint for create floating action button */ "Create a post or page" = "投稿またはページを作成"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "投稿、ページ、ストーリーを作成"; +/* No comment provided by engineer. */ +"Create a template part" = "テンプレートパーツを作成"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "サイト全体で再利用するブロックを作成して保存します。ブロックを更新すると、使用中のすべての場所に変更を適用します。"; + /* Label that describes the download backup action */ "Create downloadable backup" = "ダウンロード可能なバックアップを作成"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "現在復元中: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "カスタムリンク"; + /* Placeholder for Invite People message field. */ "Custom message…" = "カスタムメッセージ..."; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "「いいね」、コメント、フォローなどのサイト設定をカスタマイズ。"; -/* No comment provided by engineer. */ -"Cut block" = "ブロックを切り取る"; - /* Title for the app appearance setting for dark mode */ "Dark" = "ダーク"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017年12月17日"; +/* No comment provided by engineer. */ +"December 6, 2018" = "2018年12月6日"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "デフォルト"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "デフォルト URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "エリアに基づくデフォルト (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "新しい投稿のデフォルト"; @@ -1931,14 +2218,20 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "サイト削除エラー"; +/* No comment provided by engineer. */ +"Delete column" = "列を削除"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "メニューを削除"; +/* No comment provided by engineer. */ +"Delete row" = "行を削除"; + /* Delete Tag confirmation action title */ "Delete this tag" = "このタグを削除"; /* Text displayed in HUD after successfully deleting a media item */ -"Deleted!" = "削除しました"; +"Deleted!" = "削除しました。"; /* Overlay message displayed while deleting site */ "Deleting site…" = "サイトを削除中…"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "説明"; +/* No comment provided by engineer. */ +"Descriptions" = "説明"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "デザイン"; /* Title for the desktop web preview */ "Desktop" = "デスクトップ"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "テンプレートパーツからブロックを切り離す"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "詳細"; @@ -2011,7 +2310,7 @@ "Disconnect from WordPress.com" = "WordPress.com 連携を解除"; /* Explanatory text for the user. The `%@` is a placeholder for the name of a third-party sharing service. */ -"Disconnecting this account means published posts will no longer be automatically shared to %@" = "このアカウントの連携を開場すると、公開された投稿は今後 %@ には共有されなくなります。"; +"Disconnecting this account means published posts will no longer be automatically shared to %@" = "このアカウント連携を切断すると、公開された投稿は今後 %@ に自動共有されなくなります"; /* Title for button on the no followed sites result screen */ "Discover Sites" = "サイトを見つける"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "表示名"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "サイトの全期間の統計をここに表示します。サイト統計情報から WordPress アプリへの設定を行います。"; +/* No comment provided by engineer. */ +"Display a legacy widget." = "従来のウィジェットを表示します。"; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "今週のサイト統計情報をここに表示します。サイト統計情報から WordPress アプリへの設定を行います。"; +/* No comment provided by engineer. */ +"Display a list of all categories." = "すべてのカテゴリーをリスト表示します。"; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "本日のサイト統計情報をこちらに表示します。サイト統計情報で WordPress アプリへの設定を行います。"; +/* No comment provided by engineer. */ +"Display a list of all pages." = "すべての固定ページをリスト表示します。"; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "文書: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "最新のコメントを表示します。"; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "ドメイン連絡先情報"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "先頭固定表示の投稿を除いた、最近の投稿の一覧を表示する。"; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "ドメイン所有者は、すべてのドメインのパブリックデータベースで連絡先情報を共有する必要があります。プライバシー保護では、お客様に関する情報の代わりに弊社に関する情報を公開し、お客様にはプライベートにコミュニケーションを転送します。"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "最近の投稿の一覧を表示します。"; -/* Title for the Domains list */ -"Domains" = "ドメイン"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "投稿の月別アーカイブを表示します。"; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "アカウントをお持ちでない場合は_登録_してください。"; +/* No comment provided by engineer. */ +"Display a post's categories." = "投稿のカテゴリーを表示します。"; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "完了"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "投稿コメント数を表示します。"; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "ご心配は無用です"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "投稿コメントフォームを表示します。"; + +/* No comment provided by engineer. */ +"Display a post's comments." = "投稿のコメントを表示します。"; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "投稿の抜粋を表示します。"; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "投稿のアイキャッチ画像を表示します。"; + +/* No comment provided by engineer. */ +"Display a post's tags." = "投稿のタグを表示します。"; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "ソーシャルメディアのプロフィールまたはサイトにリンクするアイコンを表示します。"; + +/* No comment provided by engineer. */ +"Display as dropdown" = "ドロップダウンで表示"; + +/* No comment provided by engineer. */ +"Display author" = "投稿者を表示"; + +/* No comment provided by engineer. */ +"Display avatar" = "アバターを表示"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "余白やタグを考慮したコードスニペットを表示します。"; + +/* No comment provided by engineer. */ +"Display date" = "日付を表示"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "RSS または Atom フィードからの投稿を表示します。"; + +/* No comment provided by engineer. */ +"Display excerpt" = "抜粋を表示"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "ソーシャルメディアのプロフィールまたはサイトにリンクするアイコンを表示します。"; + +/* No comment provided by engineer. */ +"Display login as form" = "フォームとしてログインを表示"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "複数の画像をリッチなギャラリーで表示します。"; + +/* No comment provided by engineer. */ +"Display post date" = "投稿日を表示"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "クエリーしたオブジェクトに基づきアーカイブタイトルを表示します。"; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "アーカイブを表示する際、カテゴリー、タグ、カスタムタクソノミーの説明を表示します。"; + +/* No comment provided by engineer. */ +"Display the query title." = "クエリータイトルを表示します。"; + +/* No comment provided by engineer. */ +"Display the title as a link" = "タイトルをリンクとして表示する"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "サイトの全期間の統計をここに表示します。サイト統計情報から WordPress アプリへの設定を行います。"; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "今週のサイト統計情報をここに表示します。サイト統計情報から WordPress アプリへの設定を行います。"; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "本日のサイト統計情報をこちらに表示します。サイト統計情報で WordPress アプリへの設定を行います。"; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "ページネーション用のページ番号のリストを表示します"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "クエリーの結果として投稿のリストを表示する。"; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "必要であれば、投稿の前のページや次のページへのページネーションを表示します。"; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "サイト名を表示して編集できます。サイトのタイトルは通常、ブラウザーのタイトルバーや検索結果などに表示されます。「設定」>「一般」でも利用できます。"; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "投稿または固定ページの内容を表示します。"; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "現在の投稿コメントへのリンクを表示します。"; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "現在の投稿に隣接する、次の投稿へのリンク、または、前の投稿へのリンクを表示します。"; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "次の投稿ページへのリンクを表示します。"; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "現在の投稿に続く、次の投稿へのリンクを表示します。"; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "現在の投稿に先行する、前の投稿へのリンクを表示します。"; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "前の投稿ページへのリンクを表示します。"; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "投稿、固定ページ、その他のコンテンツタイプのタイトルを表示します。"; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "文書: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "ドメイン連絡先情報"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "ドメイン所有者は、すべてのドメインのパブリックデータベースで連絡先情報を共有する必要があります。プライバシー保護では、お客様に関する情報の代わりに弊社に関する情報を公開し、お客様にはプライベートにコミュニケーションを転送します。"; + +/* Title for the Domains list */ +"Domains" = "ドメイン"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "アカウントをお持ちでない場合は_登録_してください"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "完了"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "ご心配は無用です"; + +/* No comment provided by engineer. */ +"Dots" = "ドット"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "このメニュー項目を移動するにはダブルタップして長押ししてください"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "ダブルタップして「アクションシート」を開き、画像を編集、置換、クリアします"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "ダブルタップして「アクションシート」と利用可能オプションを開く"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "ダブルタップして「下部シート」を開き、画像を編集、置換、クリアします"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "ダブルタップして「下部シート」と利用可能オプションを開く"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "ダブルタップして前回の変更をやり直す"; @@ -2161,7 +2583,7 @@ "Double tap to select the option" = "ダブルタップしてオプションを選択"; /* translators: accessibility text (hint for switches) */ -"Double tap to toggle setting" = "設定を切り替えるにはダブルタップします。"; +"Double tap to toggle setting" = "ダブルタップして設定を切り替え"; /* No comment provided by engineer. */ "Double tap to undo last change" = "ダブルタップして前回の変更を元に戻す"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "バックアップをダウンロード"; +/* No comment provided by engineer. */ +"Download button settings" = "ダウンロードボタン設定"; + +/* No comment provided by engineer. */ +"Download button text" = "ダウンロードボタンのテキスト"; + /* Title for the button that will download the backup file. */ "Download file" = "ファイルをダウンロード"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "テンプレートとテンプレートパーツをダウンロードします。"; + /* Label for number of file downloads. */ "Downloads" = "ダウンロード"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "下書き"; +/* No comment provided by engineer. */ +"Drop cap" = "ドロップキャップ"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "複製"; -/* No comment provided by engineer. */ -"Duplicate block" = "ブロックを複製"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "ザナドゥの外観 - 夜明け - 1940年 (ミニチュア)\n窓、遠くにとても小さく、明かり。\nほとんど真っ暗な画面。今、カメラがゆっくり窓に向かって移動する。窓はフレーム内で切手サイズ。別の形が現れる。"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "東"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@ ブロックを編集"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "%sを編集"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "ブロックリストの単語を編集"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "投稿の編集"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "RSS の URL を編集"; + +/* No comment provided by engineer. */ +"Edit URL" = "URL を編集"; + /* No comment provided by engineer. */ "Edit file" = "ファイルを編集"; /* No comment provided by engineer. */ "Edit focal point" = "焦点を編集"; +/* No comment provided by engineer. */ +"Edit gallery image" = "ギャラリー画像を編集"; + +/* No comment provided by engineer. */ +"Edit image" = "画像を編集"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "ブロックエディターで新しい投稿やページを編集します。"; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "共有ボタンを編集"; +/* No comment provided by engineer. */ +"Edit table" = "表を編集"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "最初に投稿を編集する"; +/* No comment provided by engineer. */ +"Edit track" = "トラックを編集"; + /* No comment provided by engineer. */ "Edit using web editor" = "Web エディターを使って編集"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "メールを送信しました。"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Amazon Kindle のコンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Cloudup コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "CollegeHumor コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Crowdsignal (旧 Polldaddy) コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Flickr コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Imgur コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Issuu コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Kickstarter コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Meetup.com コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Mixcloud コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "ReverbNation コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Screencast コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Scribd コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Slideshare スライドを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "SmugMug コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "SoundCloud コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Speaker Deck スライドを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Spotify コンテンツを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Dailymotion 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Facebook 投稿を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Reddit スレッドを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a TED video." = "TED 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "TikTok 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Tumblr 投稿を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "VideoPress 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Vimeo 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "WordPress 投稿を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "WordPress.tv 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "YouTube 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "シンプルな音声プレイヤーを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a tweet." = "ツイートを埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "動画をメディアライブラリから、または新しくアップロードして埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Animoto 動画を埋め込みます。"; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Instagram 投稿を埋め込みます。"; + +/* translators: %s: filename. */ +"Embed of %s." = "%sの埋め込み。"; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "選択した PDF ファイルの埋め込み。"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "%s からの埋め込みコンテンツ"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "%s からの埋め込みコンテンツはエディター内でプレビューできません。"; + +/* No comment provided by engineer. */ +"Embedding…" = "埋め込み中..."; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "空"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "空の URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "空のブロックです。文章を入力するか、\/ からブロックを選択しましょう"; + /* Button title for the enable site notifications action. */ "Enable" = "有効化する"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "終了日"; +/* No comment provided by engineer. */ +"English" = "英語"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "フルスクリーン表示"; +/* No comment provided by engineer. */ +"Enter URL here…" = "URL をここに入力…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "埋め込む URL をここに入力..."; + /* Enter a custom value */ "Enter a custom value" = "カスタム値を入力してください"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "この投稿を保護するためのパスワードを入力してください"; +/* No comment provided by engineer. */ +"Enter address" = "アドレスを入力"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "上に別の語句を入力してください。一致するアドレスを検索します。"; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "サーバーのログイン情報を入力すると、1クリックでバックアップからサイトを復元できるようになります。"; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "脅威を修正するためにサーバーの認証情報を入力してください。"; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "脅威を修正するためにサーバーの認証情報を入力してください。"; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "サイトの高速化設定の更新中にエラーが発生しました"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "どこへ越しても住みにくいと悟った時、詩が生れて、画が出来る。"; + /* Title for the activity detail view */ "Event" = "イベント"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "プランの内容を見る"; +/* No comment provided by engineer. */ +"Export" = "エクスポート"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "コンテンツをエクスポート"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "アイキャッチ画像を読み込めませんでした"; +/* No comment provided by engineer. */ +"February 21, 2019" = "2019年2月21日"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "テーマを取得中…"; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "ファイルの種類"; +/* No comment provided by engineer. */ +"Fill" = "塗りつぶし"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "パスワードマネージャーで入力"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "名前"; +/* No comment provided by engineer. */ +"Five." = "5."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "すべて修正"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "固定"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "表のセル幅を固定"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "脅威の修正"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "フットボール"; +/* No comment provided by engineer. */ +"Footer cell text" = "フッターセルのテキスト"; + +/* No comment provided by engineer. */ +"Footer label" = "フッターラベル"; + +/* No comment provided by engineer. */ +"Footer section" = "フッターセクション"; + +/* No comment provided by engineer. */ +"Footers" = "フッター"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "お手間を省くため、WordPress.com 連絡先情報にはデータが事前に入力されています。このドメインに使用する正しい情報かどうか、ご確認ください。"; +/* No comment provided by engineer. */ +"Format settings" = "整形設定"; + /* Next web page */ "Forward" = "前へ"; +/* No comment provided by engineer. */ +"Four." = "4."; + /* Browse free themes selection title */ "Free" = "無料"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "ギャラリーのキャプションのテキスト"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "ギャラリーオプション。%s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "サイトを設定して稼働させる"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "インスピレーションを受ける"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "アカウント情報を取得中"; /* Cancel */ "Give Up" = "諦める"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "引用テキストを視覚的に強調します。「他者の引用は、我々自身への引用である」—フリオ・コルタサル"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "テキストの引用に特別な視覚的強調を加えます。"; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "サイトにその特徴とトピックがわかるような名前を付けてください。 第一印象が大事です。"; +/* No comment provided by engineer. */ +"Global Styles" = "グローバルスタイル"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML コンテンツ"; +/* No comment provided by engineer. */ +"HTML element" = "HTML 要素"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "ヘッダー1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "ヘッダー6"; +/* No comment provided by engineer. */ +"Header cell text" = "ヘッダーセルのテキスト"; + +/* No comment provided by engineer. */ +"Header label" = "ヘッダーラベル"; + +/* No comment provided by engineer. */ +"Header section" = "ヘッダーセクション"; + +/* No comment provided by engineer. */ +"Headers" = "ヘッダー"; + +/* No comment provided by engineer. */ +"Heading" = "見出し"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "見出し%d"; + /* H1 Aztec Style */ "Heading 1" = "見出し1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "見出し6"; +/* No comment provided by engineer. */ +"Heading text" = "見出しテキスト"; + +/* No comment provided by engineer. */ +"Height in pixels" = "ピクセル値での高さ"; + /* Help button */ "Help" = "ヘルプ"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "ヘルプアイコン"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "訪問者がコンテンツを見つけられるよう手助けしましょう。"; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "投稿のこれまでのパフォーマンスは次のとおりです。"; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "キーボードを非表示"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "コンテンツ全文ページで抜粋を非表示"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "承認待ち"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "ホーム"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "おめでとうございます。\nもうすぐ完成です。"; +/* No comment provided by engineer. */ +"Horizontal" = "横"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "どのように Jetpack で修正されましたか ?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "満足している"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "写真家の Cameron Karsten 氏の作品にはとても感銘を受けました。 この技術を今度試すつもりです"; + /* Title of a button style */ "Icon & Text" = "アイコンとテキスト"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Apple または Google を引き続き使用し、WordPress.com アカウントをまだお持ちでない場合は、アカウントを作成して WordPress.com の利用規約に同意します。"; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "カスタムラベルを入力していると、タイトルの前に付加されます。"; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "%1$@ を削除するとこのユーザーはこのサイトにアクセスできなくなりますが、%2$@ が作成したすべてのコンテンツはサイト上に残ります。"; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "画像サイズ"; +/* No comment provided by engineer. */ +"Image caption text" = "画像のキャプションのテキスト"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "画像キャプション。%s"; +/* No comment provided by engineer. */ +"Image settings" = "画像設定"; + /* Hint for image title on image settings. */ "Image title" = "画像タイトル"; +/* No comment provided by engineer. */ +"Image width" = "画像の幅"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "画像 (%@)"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "画像、日付、タイトル"; + /* Undated post time label */ "Immediately" = "すぐに"; @@ -3097,14 +3798,23 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "このサイトを短い文章で説明してください。"; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "このサイトの簡単な説明。"; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "それほど昔のことではありません。その名は忘れましたが、ラ・マンチャ地方のある村に、槍立て台に槍、古い盾、痩せ馬と猟犬と住むような型通りの郷士がおりました。"; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "他者の引用は、我々自身への引用である。"; + /* Describes a status of a plugin */ "Inactive" = "停止中"; /* The plugin is not active on the site and has not enabled automatic updates */ -"Inactive, Autoupdates off" = "プラグイン無効化中。自動更新オフ。"; +"Inactive, Autoupdates off" = "プラグイン無効化中。自動更新オフ"; /* The plugin is not active on the site and has enabled automatic updates */ -"Inactive, Autoupdates on" = "プラグイン無効化中。自動更新オン。"; +"Inactive, Autoupdates on" = "プラグイン無効化中。自動更新オン"; /* Describes a standard *.wordpress.com site domain */ "Included with Site" = "サイトに含まれています"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "ユーザー名またはパスワードが間違っています。もう一度ログイン詳細を入力し直してください。"; +/* No comment provided by engineer. */ +"Indent" = "インデント"; + +/* No comment provided by engineer. */ +"Indent list item" = "リスト項目をインデント"; + /* Title for a threat */ "Infected core file" = "感染したコアファイル"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "メディアを挿入"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "表形式のデータを挿入します。"; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "表の挿入。チャートとデータの共有に最適です。"; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "WordPress ショートコードで追加のカスタム要素を挿入します。"; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "画像を挿入し、視覚に訴えます。"; + +/* No comment provided by engineer. */ +"Insert column after" = "列を右に挿入"; + +/* No comment provided by engineer. */ +"Insert column before" = "列を左に挿入"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "メディアを挿入"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "詩を挿入します。特別な余白形式を使ったり、歌詞を引用したりできます。"; + +/* No comment provided by engineer. */ +"Insert row after" = "行を下に挿入"; + +/* No comment provided by engineer. */ +"Insert row before" = "行を上に挿入"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "選択済みを挿入"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "サイトに最初のプラグインをインストールするには最長で1分かかる場合があります。その間、サイトへの変更は行うことができなくなります。"; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "新しいセクションを紹介しコンテンツを整理することで、訪問者 (および検索エンジン) のコンテンツ構造理解の手助けをしましょう。"; + /* Stories intro header title */ "Introducing Story Posts" = "ストーリー投稿の紹介"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "イタリック"; +/* No comment provided by engineer. */ +"Jazz Musician" = "ジャズ音楽家"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "サイトのパフォーマンスを把握しましょう。"; +/* No comment provided by engineer. */ +"Kind" = "種類"; + /* Autoapprove only from known users */ "Known Users" = "既知のユーザー"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "ラベル"; +/* No comment provided by engineer. */ +"Landscape" = "横方向"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "言語"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "言語タグ (en、fr など)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "大"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "最新の投稿概要"; +/* No comment provided by engineer. */ +"Latest comments settings" = "最新のコメント設定"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "さらに詳しく"; @@ -3340,7 +4101,7 @@ "Learn about new comments, likes, and follows in seconds." = "新しいコメント、いいね、フォロワーについての通知をすぐに受け取りましょう。"; /* Description of a Quick Start Tour */ -"Learn about the marketing and SEO tools in our paid plans." = "有料プランのマーケティングおよび SEO ツールについての詳細を読む"; +"Learn about the marketing and SEO tools in our paid plans." = "有料プランのマーケティングと SEO ツールについての詳細を読む。"; /* A button title. Link to cookie policy @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "日時形式の詳細を参照してください。"; +/* No comment provided by engineer. */ +"Learn more about embeds" = "埋め込みについてさらに詳しく"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "権限グループの詳細"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "レガシーアイコン"; +/* No comment provided by engineer. */ +"Legacy Widget" = "従来のウィジェット"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "お手伝いさせてください"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "完了時間を知らせてください !"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "レベル %1$s。%2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "レベル %s。空。"; + /* Title for the app appearance setting for light mode */ "Light" = "ライト"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "リンク先"; +/* No comment provided by engineer. */ +"Link color" = "リンク色"; + +/* No comment provided by engineer. */ +"Link label" = "リンクラベル"; + +/* No comment provided by engineer. */ +"Link rel" = "リンク rel 属性"; + +/* No comment provided by engineer. */ +"Link to" = "リンク先"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "%s へのリンク"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "既存のコンテンツへのリンク"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "コメント内のリンク"; +/* No comment provided by engineer. */ +"Links shown in a column." = "列に表示されるリンク。"; + +/* No comment provided by engineer. */ +"Links shown in a row." = "行に表示されるリンク。"; + +/* No comment provided by engineer. */ +"List" = "リスト"; + +/* No comment provided by engineer. */ +"List of template parts" = "テンプレートパーツのリスト"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "リストスタイル"; +/* No comment provided by engineer. */ +"List text" = "リストのテキスト"; + /* Title of the screen that load selected the revisions. */ "Load" = "読み込む"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "読み込み中…"; +/* No comment provided by engineer. */ +"Loading…" = "読込中…"; + /* Status for Media object that is only exists locally. */ "Local" = "ローカル"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "WordPress.com のユーザー名とパスワードでログインしてください。"; +/* No comment provided by engineer. */ +"Log out" = "ログアウト"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "WordPress からログアウトしますか ?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "ログインリクエスト期限切れ"; +/* No comment provided by engineer. */ +"Login\/out settings" = "ログイン \/ ログアウト設定"; + +/* No comment provided by engineer. */ +"Logos Only" = "ロゴのみ"; + /* No comment provided by engineer. */ "Logs" = "ログ"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "サイトで Jetpack を設定済みのようです。統計情報と通知機能を有効化するには WordPress.com のアカウント情報でログインしてください。"; +/* No comment provided by engineer. */ +"Loop" = "ループ"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "山路を登りながら、こう考えた。智に働けば角が立つ。情に棹させば流される。意地を通せば窮屈だ。とかくに人の世は住みにくい。"; + /* Title of a button. */ "Lost your password?" = "パスワードをお忘れですか ?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "メインナビゲーション"; +/* No comment provided by engineer. */ +"Main color" = "メインカラー"; + +/* No comment provided by engineer. */ +"Make template part" = "テンプレートパーツを作成"; + +/* No comment provided by engineer. */ +"Make title a link" = "タイトルをリンクにする"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "メールと一致するアカウントを検索する"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "マット・マレンウェッグ"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "アップロードできる最大の画像サイズ"; /* Title for the video size settings option. */ "Max Video Upload Size" = "アップロードできる最大の動画サイズ"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "抜粋内の最大単語数"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "2019年5月7日"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "メディアのアップロード"; +/* No comment provided by engineer. */ +"Media area" = "メディアエリア"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "メディアにはアップロードする関連したファイルはありません。"; +/* No comment provided by engineer. */ +"Media file" = "メディアファイル"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "メディアのファイルサイズ (%1$@) が大きすぎるためアップロードできません。許容最大サイズは%2$@ です"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "メディアのプレビューに失敗しました。"; +/* No comment provided by engineer. */ +"Media settings" = "メディア設定"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "メディアをアップロードしました (%ldファイル)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "サイトの稼働率をモニター"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "モンブランが現れます。静粛で雪に覆われた、穏やかな山が。"; + /* Title of Months stats filter. */ "Months" = "月"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "WordPress.com の詳細"; +/* No comment provided by engineer. */ +"More tools & options" = "ツールと設定をさらに表示"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "最も人気のある時間"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "下に移動"; +/* No comment provided by engineer. */ +"Move image backward" = "画像を後方に移動"; + +/* No comment provided by engineer. */ +"Move image forward" = "画像を前方に移動"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "メニュー項目を移動"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "コメントをゴミ箱へ移動します。"; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "ロンドンの博物館"; + /* An example tag used in the login prologue screens. */ "Music" = "音楽"; +/* No comment provided by engineer. */ +"Muted" = "ミュート (消音)"; + /* Link to My Profile section My Profile view title */ "My Profile" = "プロフィール"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "自分のチケット"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "私のお気に入りカフェトップ10"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "人の世を作ったものは神でもなければ鬼でもない。やはり向う三軒両隣にちらちらするただの人である。"; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "名前"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "グラデーションのカスタマイズへ移動"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "ナビゲーション(横向き)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "ナビゲーション(縦向き)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "お困りですか ?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "新規ブラックリスト単語"; +/* No comment provided by engineer. */ +"New Column" = "新規カラム"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "新カスタムアプリアイコン"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "新規投稿"; +/* No comment provided by engineer. */ +"New template part" = "新規テンプレートパーツ"; + /* Screen title, where users can see the newest plugins */ "Newest" = "最新"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "次へ"; +/* No comment provided by engineer. */ +"Next Page" = "次のページ"; + /* Table view title for the quick start section. */ "Next Steps" = "次のステップ"; /* Accessibility label for the next notification button */ "Next notification" = "次の通知"; +/* No comment provided by engineer. */ +"Next page link" = "次のページへのリンク"; + /* Accessibility label */ "Next period" = "次の期間"; +/* No comment provided by engineer. */ +"Next post" = "次の投稿"; + /* Label for a cancel button */ "No" = "いいえ"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "接続できません"; +/* No comment provided by engineer. */ +"No Date" = "日付なし"; + /* List Editor Empty State Message */ "No Items" = "項目なし"; @@ -4007,7 +4903,10 @@ /* Displayed in the Notifications Tab as a title, when the Comments Filter shows no notifications Displayed when there are no comments in the Comments views. */ -"No comments yet" = "コメントはまだありません。"; +"No comments yet" = "コメントはまだありません"; + +/* No comment provided by engineer. */ +"No comments." = "%件のコメント。"; /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "投稿がありません。"; +/* No comment provided by engineer. */ +"No preview available." = "プレビューが利用できません。"; + /* A message title */ "No recent posts" = "最近の投稿はありません"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "メールが表示されない場合は、 スパムメールや迷惑メールのフォルダーを確認してください。"; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "注: 音声の自動再生を行うと、一部の訪問者にユーザビリティ上の問題を引き起こす可能性があります。"; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "注: 動画の自動再生をすると、訪問者によってはユーザビリティ上の問題が発生する可能性があります。"; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "注: カラムのレイアウトはテーマ、画面サイズによって異なります"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "注意: ほとんどのスマートフォンやタブレットのブラウザーは埋め込み PDF を表示できません。"; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "見つかりません。"; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "番地"; +/* No comment provided by engineer. */ +"Number of comments" = "コメント数"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "番号付きリスト"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "1Password ボタン"; +/* No comment provided by engineer. */ +"One column" = "1カラム"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "テクノロジーにおいて最も難しいことのひとつは、自身を破壊することだ。"; + +/* No comment provided by engineer. */ +"One." = "1."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "最も関連の深い統計情報のみを表示します。ニーズに合った統計概要を追加します。"; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "おっと。"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "ブロックの操作メニューを開く"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "端末設定を開く"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "WordPress を開く"; +/* No comment provided by engineer. */ +"Open block navigation" = "ブロックナビゲーションを開く"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "メディアピッカーを通常モードで開く"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "または、サイトアドレスを入力してログインしてください。"; +/* No comment provided by engineer. */ +"Ordered" = "順序付きリスト"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "番号つきリスト"; +/* No comment provided by engineer. */ +"Ordered list settings" = "番号付きリスト設定"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "組織"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "他のサイト"; +/* No comment provided by engineer. */ +"Outdent" = "インデント解除"; + +/* No comment provided by engineer. */ +"Outdent list item" = "リスト項目のインデントを戻す"; + +/* No comment provided by engineer. */ +"Outline" = "アウトライン"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "上書き済み"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF の埋め込み"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF 設定"; + /* Register Domain - Phone number section header title */ "PHONE" = "電話"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "ページ"; +/* No comment provided by engineer. */ +"Page Link" = "ページのリンク"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "ページが下書きに復元されました"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "ページ設定"; +/* No comment provided by engineer. */ +"Page break" = "改ページ"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "改ページブロック。%s"; @@ -4457,12 +5407,18 @@ Settings: Comments Paging preferences */ "Paging" = "ページング"; +/* No comment provided by engineer. */ +"Paragraph" = "段落"; + +/* No comment provided by engineer. */ +"Paragraph block" = "段落ブロック"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "親カテゴリー"; /* Message informing the user that their pages parent has been set successfully */ -"Parent page successfully updated." = "親ページの更新に成功しました"; +"Parent page successfully updated." = "親ページの更新に成功しました。"; /* Accessibility label for the password text field in the self-hosted login page. Label for entering password in password field @@ -4486,7 +5442,7 @@ "Paste URL" = "URL を貼り付け"; /* No comment provided by engineer. */ -"Paste block after" = "ブロックを後にペースト"; +"Paste a link to the content you want to display on your site." = "サイトに表示したいコンテンツのリンクを貼り付けます。"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "フォーマットなしで貼り付け"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "お気に入りのホームページのレイアウトを選択します。 後で編集およびカスタマイズできます。"; +/* No comment provided by engineer. */ +"Pill Shape" = "カプセル形"; + /* The item to select during a guided tour. */ "Plan" = "プラン"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "プラン"; +/* No comment provided by engineer. */ +"Play inline" = "インラインで再生"; + /* User action to play a video on the editor. */ "Play video" = "動画を再生"; +/* No comment provided by engineer. */ +"Playback controls" = "プレイバックコントロール"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "投稿する前にいくつかコンテンツを追加してください。"; @@ -4551,7 +5516,7 @@ "Please check your internet connection and try again." = "ネットワーク接続を確認して、もう一度お試しください。"; /* Confirmation title presented before fixing all the threats, displays the number of threats to be fixed */ -"Please confirm you want to fix all %1$d active threats" = "%1$d件すべてのアクティブな脅威を修正してよろしいですか ?"; +"Please confirm you want to fix all %1$d active threats" = "%1$d件すべてのアクティブな脅威を修正することを確認してください"; /* Confirmation title presented before fixing a single threat */ "Please confirm you want to fix this threat" = "この脅威を修正してよろしいですか ?"; @@ -4608,7 +5573,7 @@ "Please enter the verification code from your authenticator app, or tap the link below to receive a code via SMS." = "認証アプリから確認コードを入力するか、下のリンクをタップして SMS でコードを受信して​​ください。"; /* Popup message to ask for user credentials (fields shown below). */ -"Please enter your credentials" = "ログイン情報を入力してください。"; +"Please enter your credentials" = "ログイン情報を入力してください"; /* Instructions for alert asking for email. */ "Please enter your email address." = "メールアドレスを入力してください。"; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "人気の言語"; +/* No comment provided by engineer. */ +"Portrait" = "縦方向"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "投稿"; @@ -4694,18 +5662,48 @@ /* Title for selecting categories for a post */ "Post Categories" = "投稿カテゴリー"; +/* No comment provided by engineer. */ +"Post Comment" = "コメントを送信"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "投稿コメントの投稿者"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "投稿コメント本文"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "投稿コメント日"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "投稿コメント数ブロック: 投稿が見つかりません。"; + +/* No comment provided by engineer. */ +"Post Comments Form" = "投稿コメントフォーム"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "投稿コメントフォームブロック: この投稿タイプではコメントが有効化されていません。"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "投稿コメントフォームブロック: この投稿に対するコメントは許可されていません。"; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "投稿コメントリンクブロック: 投稿が見つかりません。"; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "投稿フォーマット"; +/* No comment provided by engineer. */ +"Post Link" = "投稿リンク"; + /* Prompts the user that a restored post was moved to the drafts list. */ -"Post Restored to Drafts" = "投稿を下書きとして復元しました。"; +"Post Restored to Drafts" = "投稿を下書きとして復元しました"; /* Prompts the user that a restored post was moved to the published list. */ -"Post Restored to Published" = "公開した投稿を復元しました。"; +"Post Restored to Published" = "公開した投稿を復元しました"; /* Prompts the user that a restored post was moved to the scheduled list. */ -"Post Restored to Scheduled" = "投稿を予約済みとして復元しました。"; +"Post Restored to Scheduled" = "投稿を予約済みとして復元しました"; /* Name of the button to open the post settings The title of the Post Settings screen. */ @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "%2$@ からの %1$@ 投稿"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "投稿コメントブロック: 投稿が見つかりません。"; + +/* No comment provided by engineer. */ +"Post content settings" = "投稿コンテンツ設定"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "%@に作成された投稿"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "投稿はアップロードに失敗しました"; +/* No comment provided by engineer. */ +"Post meta settings" = "投稿メタ設定"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "投稿をゴミ箱へ移動しました。"; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "%1$@、%2$@ に %3$@ によって投稿されました。"; +/* No comment provided by engineer. */ +"Poster image" = "ポスター画像"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "投稿アクティビティ"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "投稿"; +/* No comment provided by engineer. */ +"Posts List" = "投稿一覧"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "投稿ページ"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "整形済みテキスト"; + +/* No comment provided by engineer. */ +"Preload" = "先読み"; + /* Browse premium themes selection title */ "Premium" = "プレミアム"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "新しいサイトをプレビューして訪問者に表示される内容を確認できます。"; +/* No comment provided by engineer. */ +"Previous Page" = "前のページ"; + /* Accessibility label for the previous notification button */ "Previous notification" = "前の通知"; +/* No comment provided by engineer. */ +"Previous page link" = "前のページへのリンク"; + /* Accessibility label */ "Previous period" = "前の期間"; +/* No comment provided by engineer. */ +"Previous post" = "過去の投稿:"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "主要サイト"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "プロジェクト"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "ボタンスタイルのリンクで、訪問者に行動を喚起しましょう。"; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "ボタンスタイルのリンクで、訪問者に行動を喚起しましょう。"; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "指定されたタイプはサポートされていません。"; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "公開"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "公開中…"; +/* No comment provided by engineer. */ +"Pullquote citation text" = "プルクオートの引用元のテキスト"; + +/* No comment provided by engineer. */ +"Pullquote text" = "プルクオートのテキスト"; + /* Title of screen showing site purchases */ "Purchases" = "購入"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "iOS 設定でプッシュ通知がオフになっています。「通知を許可」でオンに戻します。"; +/* No comment provided by engineer. */ +"Query Title" = "クエリータイトル"; + /* The menu item to select during a guided tour. */ "Quick Start" = "クイックスタート"; +/* No comment provided by engineer. */ +"Quote citation text" = "引用元のテキスト"; + +/* No comment provided by engineer. */ +"Quote text" = "引用のテキスト"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS 設定"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "App Store で評価"; +/* No comment provided by engineer. */ +"Read more" = "続きを読む"; + +/* No comment provided by engineer. */ +"Read more link text" = "「続きを読む」のリンクテキスト"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "読み進める"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "再連携完了"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "現在の URL にリダイレクト"; + /* Label for link title in Referrers stat. */ "Referrer" = "リファラ"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "「関連記事」は投稿の下にサイト内の関連コンテンツを表示します"; +/* No comment provided by engineer. */ +"Release Date" = "リリース日"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "この投稿を保存済みの投稿から削除します。"; +/* No comment provided by engineer. */ +"Remove track" = "トラックを削除"; + /* User action to remove video. */ "Remove video" = "動画を削除"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "ファイルを置換"; +/* No comment provided by engineer. */ +"Replace image" = "画像の置き換え"; + /* No comment provided by engineer. */ "Replace image or video" = "画像または動画を置換"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "サイズ変更・切り抜き"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "より小さな端末用にリサイズ"; + /* The largest resolution allowed for uploading */ "Resolution" = "解決方法"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "サイトを復元"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "テーマのデフォルトでテンプレートを復元"; + /* Button title for restore site action */ "Restore to this point" = "このポイントに復元"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "WordPress for iOS では再利用可能ブロックを編集できません"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "リストの数字を逆順にする"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "保留中の変更を元に戻す"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "権限グループ"; +/* No comment provided by engineer. */ +"Rotate" = "回転"; + +/* No comment provided by engineer. */ +"Row count" = "行数"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS 送信完了"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "段落スタイルを選択"; +/* No comment provided by engineer. */ +"Select poster image" = "ポスター画像を選択"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "%@ を選択してソーシャルメディアアカウントを追加する"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "プッシュ通知を送信する"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "コンテンツを複数のページに分けて表示します。"; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "WordPress.com のサーバーから画像を提供"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "投稿ページとして設定"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "画像と文章を横並びのリッチなレイアウトにします。"; + /* The Jetpack view button title for the success state */ "Set up" = "セットアップ"; @@ -5703,7 +6800,7 @@ /* Aztec's Text Placeholder Share Extension Content Body Text Placeholder */ -"Share your story here..." = "ここに文章を入力してください"; +"Share your story here..." = "ここに文章を入力…"; /* Label for the Sharing section in post Settings. Should be the same as WP core. Noun. Title. Links to a blog's sharing options. @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "共有エラー"; +/* No comment provided by engineer. */ +"Shortcode" = "ショートコード"; + +/* No comment provided by engineer. */ +"Shortcode text" = "ショートコードのテキスト"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "ヘッダーを表示"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "関連記事を表示"; +/* No comment provided by engineer. */ +"Show download button" = "ダウンロードボタンを表示"; + +/* No comment provided by engineer. */ +"Show inline embed" = "インラインで埋め込みを表示"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "ログインとログアウトのリンクを表示します。"; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "パスワードを表示"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "投稿の内容を表示"; +/* No comment provided by engineer. */ +"Show post counts" = "投稿数を表示"; + /* translators: Checkbox toggle label */ "Show section" = "セクションを表示"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "自分の投稿のみ表示中"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "先頭文字を大きく表示します。"; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "統計を表示:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "サイトの投稿を表示します。"; +/* No comment provided by engineer. */ +"Sidebars" = "サイドバー"; + /* View title during the sign up process. */ "Sign Up" = "登録"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "サイトの言語"; +/* No comment provided by engineer. */ +"Site Logo" = "サイトロゴ"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "サイトページ"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "サイトのセキュリティとパフォーマンスを\nポケットの中に"; + +/* No comment provided by engineer. */ +"Site tagline text" = "サイトキャッチフレーズのテキスト"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "サイトのタイムゾーン (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "サイトのタイトルを変更しました"; +/* No comment provided by engineer. */ +"Site title text" = "サイトタイトルのテキスト"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "サイト"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "フォローするサイト"; +/* No comment provided by engineer. */ +"Six." = "6."; + /* Image size option title. */ "Size" = "サイズ"; @@ -5920,12 +7057,18 @@ /* Follower Totals label for social media followers */ "Social" = "ソーシャル"; +/* No comment provided by engineer. */ +"Social Icon" = "ソーシャルアイコン"; + +/* No comment provided by engineer. */ +"Solid color" = "単色"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "アップロードに失敗したメディアがあります。この操作を行うと投稿から失敗したメディアを削除します。保存してもよいですか ?"; /* Title for a label that appears when the scan failed Title for the error view when the scan start has failed */ -"Something went wrong" = "問題が発生しました。"; +"Something went wrong" = "問題が発生しました"; /* Alert message when `JetpackSiteRef` cannot be initialized from a blog during domain credit redemption. */ "Something went wrong, please try again." = "エラーが発生しました。もう一度お試しください。"; @@ -5945,7 +7088,7 @@ "Sorry, but your username contains an invalid phrase%@." = "ユーザー名に利用できない単語%@が含まれています。"; /* Error title when updating the account password fails */ -"Sorry, can't log in" = "ログインできませんでした。"; +"Sorry, can't log in" = "ログインできませんでした"; /* No comment provided by engineer. */ "Sorry, site addresses can only contain lowercase letters (a-z) and numbers." = "サイトアドレスに含められるのは半角英字の小文字 (a-z) と半角数字のみです。"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "そのユーザー名はすでに使用されています。"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "そのユーザー名はご利用いただけません。"; +"Sorry, that username is unavailable." = "そのユーザー名はご利用いただけません。"; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "このコンテンツを埋め込めませんでした。"; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "ユーザー名には半角英字の小文字 (a-z) と数字のみを使ってください。"; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "並び順"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "並べ替えと絞り込み"; + /* Opens the Github Repository Web */ "Source Code" = "ソースコード"; +/* No comment provided by engineer. */ +"Source language" = "ソース言語"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "南"; /* Label for showing the available disk space quota available for media */ "Space used" = "利用中の容量"; +/* No comment provided by engineer. */ +"Spacer settings" = "スペーサー設定"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "サイトをスピードアップ"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "標準"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "最初からやり直す"; +/* No comment provided by engineer. */ +"Start value" = "初期値"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "ブロックでストーリーを組み立ててみましょう。"; + /* No comment provided by engineer. */ "Start writing…" = "執筆を開始…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "打ち消し"; +/* No comment provided by engineer. */ +"Stripes" = "ストライプ"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "スタブ"; @@ -6101,10 +7268,13 @@ "Submit for Review" = "提出してレビューを要求"; /* Text displayed in HUD while a post is being submitted for review. */ -"Submitting for Review..." = "レビューをリクエストしました"; +"Submitting for Review..." = "レビューをリクエスト中…"; + +/* No comment provided by engineer. */ +"Subtitles" = "字幕"; /* Notice displayed to the user after clearing the spotlight index in app settings. */ -"Successfully cleared spotlight index" = "スポットライトインデックスのクリアに成功しました。"; +"Successfully cleared spotlight index" = "スポットライトインデックスのクリア成功"; /* The app successfully subscribed to the comments for the post */ "Successfully followed conversation" = "会話のフォローが完了しました"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "サポート"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "住みにくさが高じると、安い所へ引き越したくなる。"; + /* Button used to switch site */ "Switch Site" = "サイト切り替え"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "システムの初期設定"; +/* No comment provided by engineer. */ +"Table" = "テーブル"; + +/* No comment provided by engineer. */ +"Table caption text" = "表のキャプションのテキスト"; + /* No comment provided by engineer. */ "Table of Contents" = "目次"; +/* No comment provided by engineer. */ +"Table settings" = "表の設定"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "タグ"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "タグクラウド設定"; + +/* No comment provided by engineer. */ +"Tag Link" = "タグリンク"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "タグはすでに存在します"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "どのようなサイトを作りたいか教えてください"; +/* No comment provided by engineer. */ +"Template Part" = "テンプレートパーツ"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "テンプレートパーツ「%s」が挿入されました。"; + +/* No comment provided by engineer. */ +"Template Parts" = "テンプレートパーツ"; + +/* No comment provided by engineer. */ +"Template part created." = "テンプレートパーツを作成しました。"; + +/* No comment provided by engineer. */ +"Templates" = "テンプレート"; + +/* No comment provided by engineer. */ +"Term description." = "タームの説明。"; + /* The underlined title sentence */ "Terms and Conditions" = "利用規約"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "テキストのみ"; +/* No comment provided by engineer. */ +"Text link settings" = "テキストリンク設定"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "代わりに SMS でコードを送信する"; +/* No comment provided by engineer. */ +"Text settings" = "テキスト設定"; + +/* No comment provided by engineer. */ +"Text tracks" = "テキストトラック"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "%1$@ (%2$@) のご利用ありがとうございます"; @@ -6337,7 +7552,7 @@ "The GIF could not be added to the Media Library." = "GIF をメディアライブラリに追加できませんでした。"; /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ -"The Google account \"%@\" doesn't match any account on WordPress.com" = "Google アカウント「%@」は、WordPress.com のアカウントと一致しません。"; +"The Google account \"%@\" doesn't match any account on WordPress.com" = "Google アカウント「%@」が WordPress.com のアカウントと一致しません"; /* Message of error prompt shown when a user tries to perform an action without an internet connection. */ "The Internet connection appears to be offline." = "インターネットに接続していないようです。"; @@ -6357,14 +7572,26 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "WordPress for Android アプリが大幅リニューアル"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "世界最高のファン"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "アプリがサーバーの返答を認識できません。サイトの設定を確認して下さい。"; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "このサーバーの証明書が無効です。「%@」を偽装しているサーバーに接続中の可能性があるため、機密情報が危険にさらされる恐れがあります。\n\nこの証明書をそのまま信頼しますか ?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "現在のポスター画像 URL は %s です"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "抜粋は表示されません。"; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "抜粋を表示中です。"; + /* Title for a threat that includes the file name of the file */ -"The file %1$@ contains a malicious code pattern" = "ファイル %1$@ には、悪意のあるコードが含まれています。"; +"The file %1$@ contains a malicious code pattern" = "ファイル %1$@ には悪意のあるコードパターンが含まれています"; /* Message shown when an image failed to load while trying to add it to the Media library. */ "The image could not be added to the Media Library." = "画像をメディアライブラリに追加できませんでした。"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "動画をメディアライブラリに追加できませんでした。"; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "みそさゞい
だまり返て
かせぐ也"; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "有効化したテーマ"; @@ -6463,7 +7693,7 @@ "There has been a problem while loading your Notification Settings" = "通知設定を読み込む際に問題が発生しました"; /* Error displayed if a comment fails to get updated */ -"There has been an unexpected error while editing your comment" = "コメントを編集する際に予期しないエラーが発生しました。"; +"There has been an unexpected error while editing your comment" = "コメントの編集中に予期しないエラーが発生しました"; /* Message shown when comments for a post can not be loaded. */ "There has been an unexpected error while loading the comments." = "コメントの読み込み中に予期しないエラーが発生しました。"; @@ -6481,7 +7711,7 @@ "There has been an unexpected error while updating your Notification Settings" = "通知設定を更新する際に予期しないエラーが発生しました"; /* Displayed whenever a Comment Update Fails */ -"There has been an unexpected error while updating your comment" = "コメントのアップデート中に予期しないエラーが発生しました。"; +"There has been an unexpected error while updating your comment" = "コメントの更新中に予期しないエラーが発生しました"; /* Generic error alert message */ "There has been an unexpected error." = "予期しないエラーが発生しました。"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "%@ 連携に問題が発生しました。パブリサイズを続行するには再連携してください。"; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "現在選択中のポスター画像はありません"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6560,7 +7793,7 @@ "There was an error loading time zones" = "タイムゾーンを読み込む際にエラーが発生しました"; /* Text displayed when there is a failure saving the username. */ -"There was an error saving the username" = "ユーザー名を保存する際にエラーが発生しました。"; +"There was an error saving the username" = "ユーザー名の保存中にエラーが発生しました"; /* Updating Role failed error message */ "There was an error updating @%@" = "@%@ の更新の際にエラーが発生しました"; @@ -6569,7 +7802,7 @@ "There's a backup currently being prepared, please wait before starting the next one" = "現在準備中のバックアップがあります。次のバックアップを開始する前にしばらくお待ちください"; /* Text displayed when user tries to start a restore when there is already one running */ -"There's a restore currently in progress, please wait before starting next one" = "現在進行中の復元があります。次の復元を開始する前にしばらくお待ちください。"; +"There's a restore currently in progress, please wait before starting next one" = "現在進行中の復元があります。次の復元を開始する前にしばらくお待ちください"; /* Text displayed when user tries to start a restore when there is already one running */ "There's a restore currently in progress, please wait before starting the next one" = "現在進行中の復元があります。次の復元を開始する前にしばらくお待ちください"; @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "このアプリが投稿に写真・動画を追加するため端末のメディアライブラリにアクセスするには、許可が必要です。プライバシー設定を変更してください。"; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "このブロックは非推奨です。代わりにカラムブロックを使用してください。"; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "カラム数が推奨値より大きいため表示が壊れるかもしれません。"; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "このドメインは利用できません"; @@ -6652,11 +7891,20 @@ "Threat found %1$@" = "脅威を検出しました: %1$@"; /* Description for threat file */ -"Threat found in file:" = "次のファイルで脅威が見つかりました: "; +"Threat found in file:" = "ファイルに脅威が見つかりました:"; /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "脅威を無視しました。"; +/* No comment provided by engineer. */ +"Three columns; equal split" = "3カラム: 均等割"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "3カラム: 中央を広く"; + +/* No comment provided by engineer. */ +"Three." = "3."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "サムネイル"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "タイトル"; +/* No comment provided by engineer. */ +"Title & Date" = "タイトルと日付"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "タイトルと抜粋"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "タイトルまたはカテゴリーは必須項目です。"; +/* No comment provided by engineer. */ +"Title of track" = "トラックのタイトル"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "タイトル、日付、抜粋"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "投稿に写真または動画を追加する。"; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "この Google アカウントで先に進むには、最初に WordPress.com パスワードを使用してログインしてください。これは一度しか尋ねられません。"; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "コメントを表示するにはコメント ID を入力してください。"; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "投稿に使用する写真または動画を撮る。"; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML ソースを切り替える"; +/* No comment provided by engineer. */ +"Toggle navigation" = "ナビゲーションを切り替え"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "先頭文字を大きな表示に切り替えます。"; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "番号つきリストスタイルを切り替える"; @@ -6762,7 +8031,7 @@ "Topics (%lu)" = "トピック (%lu)"; /* Label for total followers */ -"Total" = "合計:"; +"Total" = "合計"; /* 'This Year' label for total number of comments. */ "Total Comments" = "総コメント数"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "総単語数"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "トラックにはサブタイトル、キャプション、チャプター、説明を追加できます。追加するとより多くのユーザーがコンテンツにアクセスできるようになります。"; + /* Title for the traffic section in site settings screen */ "Traffic" = "トラフィック"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "%sを変換:"; - -/* No comment provided by engineer. */ -"Transform block…" = "ブロックを変換…"; - /* No comment provided by engineer. */ "Translate" = "翻訳"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter ユーザー名"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "2カラム: 等分"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "2カラム: 1\/3、2\/3に分割"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "2カラム: 2\/3、1\/3に分割"; + +/* No comment provided by engineer. */ +"Two." = "2."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "その他のアイデアについてはキーワードを入力します"; @@ -6957,7 +8235,7 @@ "Unable to read the WordPress site at that URL. Tap 'Need Help?' to view the FAQ." = "ご指定の URL に WordPress サイトが見つかりませんでした。「ヘルプ !」をタップしてよくある質問をご覧ください。"; /* Alert title when `JetpackSiteRef` cannot be initialized from a blog during domain credit redemption. */ -"Unable to register domain" = "ドメインを登録できません。"; +"Unable to register domain" = "ドメインを登録できません"; /* Title for the Jetpack Restore Failed message. */ "Unable to restore your site" = "サイトを復元できません"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "無題のサイト"; +/* No comment provided by engineer. */ +"Unordered" = "順序なしリスト"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "番号なしリスト"; /* Filters Unread Notifications */ "Unread" = "未読"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "返信なし"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "保存されていない変更"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "無題"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "無題のテンプレートパーツ"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "数日間分のログが保存されます。"; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "メディアをアップロード"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "ファイルをアップロードするか、メディアライブラリから選択してください。"; + /* Title of a Quick Start Tour */ "Upload a site icon" = "サイトのアイコンをアップロード"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "サイトロゴ用の画像をアップロードするか、メディアライブラリから選択"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "アップロードに失敗しました"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "現在の位置を使用"; +/* No comment provided by engineer. */ +"Use URL" = "URL を使用"; + /* Option to enable the block editor for new posts */ "Use block editor" = "ブロックエディターを使用"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "従来の WordPress エディターを使用します。"; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "このリンクを使用すると、チームメンバーを1人ずつではなく一括で招待できます。 この URL にアクセスすると、だれでも組織に登録されます。リンクをだれから受け取ったかは関係ないため、信頼できる人と共有するようにしてください。"; /* No comment provided by engineer. */ "Use this site" = "このサイトを使用"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "サイトを表すグラフィックマーク、デザイン、シンボルの表示に便利です。サイトロゴが設定されると、異なる場所やテンプレートで再利用されます。サイトアイコンと混同しないでください。サイトアイコンはダッシュボード、ブラウザータブ、パブリックな検索結果等でサイトの識別に使用される小さな画像です。"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,12 +8569,15 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "メールアドレスを検証してください。指示が %@ に送信されました"; +/* No comment provided by engineer. */ +"Verse text" = "詩のテキスト"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "バージョン"; /* Description for the version label in the What's new page. */ -"Version " = "バージョン:"; +"Version " = "バージョン"; /* Version of a plugin to install Version of an installed plugin */ @@ -7282,11 +8587,17 @@ "Version %@ installed" = "バージョン%@がインストールされました"; /* Message to show when a new plugin version is available */ -"Version %@ is available" = "バージョン%@が利用できます。"; +"Version %@ is available" = "バージョン%@が利用できます"; + +/* No comment provided by engineer. */ +"Vertical" = "縦"; /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "動画プレビューは利用できません"; +/* No comment provided by engineer. */ +"Video caption text" = "動画キャプションのテキスト"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "動画の見出しです。%s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "動画のエクスポートをキャンセルしました。"; +/* No comment provided by engineer. */ +"Video settings" = "動画設定"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "動画 (%@)"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "読者"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "viewport の高さ (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7384,10 +8701,10 @@ "Vulnerability found in WordPress" = "WordPress で脆弱性が見つかりました"; /* Summary description for a threat */ -"Vulnerability found in plugin" = "プラグインで脆弱性が見つかりました。"; +"Vulnerability found in plugin" = "プラグインに脆弱性が見つかりました"; /* Summary description for a threat */ -"Vulnerability found in theme" = "テーマで脆弱性が見つかりました。"; +"Vulnerability found in theme" = "テーマに脆弱性が見つかりました"; /* Title for a threat */ "Vulnerable Plugin" = "脆弱なプラグイン"; @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "脆弱なテーマ %1$@ (バージョン%2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "彼は何をしていたのか、偉大な神パン、\n 川辺の葦の中で ?\n破滅を拡散し、圧迫をまき散らし、\n山羊の蹄でしぶきをあげ、水をかきわけながら\n金の百合を引きちぎり、\n トンボとともに川面に浮かべる。"; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7536,7 +8856,7 @@ "We couldn’t find the status to say how long your restore will take." = "復元にかかる時間を示すステータスが見つかりませんでした。"; /* Message to show when Keyring connection synchronization failed. %@ is a service name like Facebook or Twitter */ -"We had trouble loading connections for %@" = " %@ の接続の読み込みで問題が発生しました"; +"We had trouble loading connections for %@" = "%@ の接続の読み込みに問題が発生しました"; /* Error message displayed when a refresh failed */ "We had trouble loading data" = "データの読み込みの際に問題がありました"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Reader へようこそ"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "ブロックの世界へようこそ。"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "世界で最も人気のサイト構築サービスへようこそ。"; @@ -7694,7 +9017,7 @@ "We’ll still attempt to restore your site." = "引き続きサイトの復元を試みています。"; /* Body text of alert asking if users want to try out the quick start checklist. */ -"We’ll walk you through the basics of building and growing your site" = "サイトの構築と訪問者を増やす方法の基本について紹介します。"; +"We’ll walk you through the basics of building and growing your site" = "サイトの構築と訪問者を増やす方法の基本について紹介します"; /* Body text of alert letting users know we've upgraded the quick start checklist. */ "We’ve added more tasks to help you grow your audience." = "訪問者を増やすためのタスクをさらに追加しました。"; @@ -7737,7 +9060,7 @@ "When a comment contains any of these words in its content, name, URL, e-mail, or IP, it will be marked as spam. You can enter partial words, so \"press\" will match \"WordPress\"." = "コメントの本文、名前、URL、メール、IP にこれらの語のいずれかが含まれている場合、スパムとしてマークされます。語句の一部を入力できます。例えば、「press」は「WordPress」に一致します。"; /* Subtitle for the no followed sites result screen */ -"When you follow sites, you’ll see their content here." = "サイトをフォローすると、こちらにコンテンツが表示されます"; +"When you follow sites, you’ll see their content here." = "サイトをフォローすると、こちらにコンテンツが表示されます。"; /* Displayed when a call is made to load the history but there's no result or an error. */ "When you make changes in the editor you'll be able to see the history here" = "エディター内で変更を加えた際は、ここで履歴を確認できます"; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "正しい二段階認証コードではありません。コードを再確認してもう一度お試しください。"; +/* No comment provided by engineer. */ +"Wide Line" = "幅広線"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "ウィジェット"; +/* No comment provided by engineer. */ +"Width in pixels" = "幅 (px)"; + /* Help text when editing email address */ "Will not be publicly displayed." = "公開されません。"; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "この強力なエディターで、外出中も投稿できます。"; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "ニューヨークのセントラルパークで鳴いているモリツグミ。"; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress アプリ設定"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "コメントする"; +/* No comment provided by engineer. */ +"Write code…" = "コードを入力..."; + +/* No comment provided by engineer. */ +"Write file name…" = "ファイル名を入力..."; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "ギャラリーのキャプションを入力…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "整形済みテキストを入力..."; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "ショートコードをここに入力…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "サイトキャッチフレーズを入力…"; + +/* No comment provided by engineer. */ +"Write site title…" = "サイト名を入力…"; + +/* No comment provided by engineer. */ +"Write title…" = "タイトルを入力..."; + +/* No comment provided by engineer. */ +"Write verse…" = "詩を入力…"; + /* Title for the writing section in site settings screen */ "Writing" = "投稿設定"; @@ -8006,7 +9365,7 @@ "You replied to this comment." = "このコメントに返信しました。"; /* No comment provided by engineer. */ -"You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "アプリがブログに接続するのを防止するモバイルプラグインが DudaMobile からインストールされたようです。"; +"You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "アプリがブログに接続するのを防止するモバイルプラグインが DudaMobile からインストールされたようです"; /* Message displayed in ignore threat alert. %1$@ is a placeholder for the blog name. */ "You shouldn’t ignore a security issue unless you are absolutely sure it’s harmless. If you choose to ignore this threat, it will remain on your site \"%1$@\"." = "安全であるという確信がない限り、セキュリティの問題を無視しないでください。 この脅威を無視した場合、この脅威はサイト「%1$@」に残ります。"; @@ -8048,7 +9407,7 @@ "Your current username is %@. With few exceptions, others will only ever see your display name, %@." = "現在のユーザー名は %1$@ です。いくつかの例外はありますが、他のユーザーには表示名 %2$@ しか表示されません。"; /* Text displayed in the view when there aren't any Backups to display */ -"Your first backup will appear here within 24 hours and you will receive a notification once the backup has been completed" = "初回のバックアップは24時間以内にここに表示され、バックアップが完了すると通知が送信されます。"; +"Your first backup will appear here within 24 hours and you will receive a notification once the backup has been completed" = "初回のバックアップは24時間以内にここに表示され、バックアップが完了すると通知が送信されます"; /* Title for the view when there aren't any Backups to display */ "Your first backup will be ready soon" = "初回のバックアップは間もなく完了します"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Safari でサイトにアクセスすると、画面の上部にあるバーにサイトアドレスが表示されます。"; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "\"%s\" ブロックはサイトでサポートされていません。そのまま残すか、完全に削除してください。"; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "\"%s\" ブロックはサイトでサポートされていません。そのまま残すか、カスタム HTML ブロックへ変換、または完全に削除してください。"; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "このブロックはサイトで未対応です。"; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "サイトが巻き戻されました !"; @@ -8099,7 +9467,7 @@ "Your site is visible to everyone, but asks search engines not to index your site." = "誰でもサイトを閲覧可能にし、検索エンジンにはインデックスしないよう要求します。"; /* Title for label when there are threats on the users site */ -"Your site may be at risk" = "サイトが危険にさらされている可能性があります。"; +"Your site may be at risk" = "サイトが危険にさらされている可能性があります"; /* User-facing string, presented to reflect that site assembly is underway. */ "Your site will be ready shortly" = "まもなくサイトの準備が完了します"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "新しい投稿にブロックエディターを使用できるようになりました。旧エディターに変更する場合は、「参加サイト」 > 「サイト設定」に移動します。"; +/* No comment provided by engineer. */ +"Zoom" = "ズーム"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "1時間"; +/* No comment provided by engineer. */ +"archive" = "アーカイブ"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "音声ファイル"; +/* No comment provided by engineer. */ +"blockquote" = "引用"; + +/* No comment provided by engineer. */ +"blog" = "ブログ"; + +/* No comment provided by engineer. */ +"bullet list" = "番号なしリスト"; + /* Used when displaying author of a plugin. */ "by %@" = "作成者: %@"; +/* No comment provided by engineer. */ +"cite" = "引用"; + /* The menu item to select during a guided tour. */ "connections" = "連携"; +/* No comment provided by engineer. */ +"container" = "コンテナー"; + +/* No comment provided by engineer. */ +"description" = "説明"; + +/* No comment provided by engineer. */ +"divider" = "区切り線"; + +/* No comment provided by engineer. */ +"document" = "文書"; + /* No comment provided by engineer. */ "document outline" = "文書の概要"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "ダブルタップして単位を変更"; +/* No comment provided by engineer. */ +"download" = "ダウンロード"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例「1122334455」"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "例「44」"; +/* No comment provided by engineer. */ +"embed" = "埋め込み"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "フィード"; + +/* No comment provided by engineer. */ +"find" = "見つける"; + /* Noun. Describes a site's follower. */ "follower" = "フォロワー"; +/* No comment provided by engineer. */ +"form" = "フォーム"; + +/* No comment provided by engineer. */ +"horizontal-line" = "水平線"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/ja.wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "画像"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "ギャラリー内の画像%1$d件中%2$d件"; + +/* No comment provided by engineer. */ +"images" = "画像"; + /* Text for related post cell preview */ "in \"Apps\"" = "「アプリ」カテゴリー"; @@ -8184,23 +9615,119 @@ /* Later today */ "later today" = "今日あとで"; +/* No comment provided by engineer. */ +"link" = "リンク"; + +/* No comment provided by engineer. */ +"links" = "リンク"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "ログアウト"; + +/* No comment provided by engineer. */ +"menu" = "メニュー"; + +/* No comment provided by engineer. */ +"movie" = "動画"; + +/* No comment provided by engineer. */ +"music" = "音楽"; + +/* No comment provided by engineer. */ +"navigation" = "ナビゲーション"; + +/* No comment provided by engineer. */ +"next page" = "次のページ"; + +/* No comment provided by engineer. */ +"numbered list" = "番号付きリスト"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "\/"; +/* No comment provided by engineer. */ +"ordered list" = "番号つきリスト"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "その他"; +/* No comment provided by engineer. */ +"pagination" = "ページネーション"; + /* No comment provided by engineer. */ "password" = "パスワード"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "電話番号"; +/* No comment provided by engineer. */ +"photos" = "写真"; + +/* No comment provided by engineer. */ +"picture" = "画像"; + +/* No comment provided by engineer. */ +"podcast" = "ポッドキャスト"; + +/* No comment provided by engineer. */ +"poem" = "ポエム"; + +/* No comment provided by engineer. */ +"poetry" = "詩"; + +/* No comment provided by engineer. */ +"post" = "投稿"; + +/* No comment provided by engineer. */ +"posts" = "件"; + +/* No comment provided by engineer. */ +"read more" = "続きを読む"; + +/* No comment provided by engineer. */ +"recent comments" = "最近のコメント"; + +/* No comment provided by engineer. */ +"recent posts" = "最近の投稿"; + +/* No comment provided by engineer. */ +"recording" = "録音"; + +/* No comment provided by engineer. */ +"row" = "行"; + +/* No comment provided by engineer. */ +"section" = "セクション"; + +/* No comment provided by engineer. */ +"social" = "ソーシャル"; + +/* No comment provided by engineer. */ +"sound" = "音"; + +/* No comment provided by engineer. */ +"subtitle" = "サブタイトル"; + /* No comment provided by engineer. */ "summary" = "要約"; +/* No comment provided by engineer. */ +"survey" = "アンケート"; + +/* No comment provided by engineer. */ +"text" = "テキスト"; + /* Header of delete screen section listing things that will be deleted. */ -"these items will be deleted:" = "次の項目が削除されます。"; +"these items will be deleted:" = "次の項目が削除されます:"; + +/* No comment provided by engineer. */ +"title" = "タイトル"; /* Today */ "today" = "今日"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, サイト, サイト, ブログ, ブログ"; +/* No comment provided by engineer. */ +"wrapper" = "ラッパー"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "新しいドメイン %@ の設定中です。サイトをアップグレード中です。"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— 小林一茶"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "•ドメイン"; diff --git a/WordPress/Resources/ko.lproj/Localizable.strings b/WordPress/Resources/ko.lproj/Localizable.strings index 1283f97be51f..b95c6052a64c 100644 --- a/WordPress/Resources/ko.lproj/Localizable.strings +++ b/WordPress/Resources/ko.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d개의 보지 않은 글"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%2$s(으)로 변형된 %1$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s은(는) %3$s %4$s입니다."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 단어, %2$li 글자"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s 블록 옵션"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s 블록. 비어 있음"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s 블록. 이 블록에는 잘못된 내용이 있습니다."; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "‘%s’을(를) 완전히 지원하지 않습니다"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "주소 줄 %@ 추가"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1개 임시글 업로드됨"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "잠재적 위협 1개 찾음"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1시간"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "\"더 보기\" 버튼에는 공유 버튼을 표시하는 드롭다운이 있습니다."; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "특성 이미지가 설정되었습니다. 변경하려면 누르세요."; /* Title for a threat */ "A file contains a malicious code pattern" = "파일에 악성 코드 패턴이 있음"; +/* No comment provided by engineer. */ +"A link to a category." = "카테고리 링크입니다."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "페이지 링크입니다."; + +/* No comment provided by engineer. */ +"A link to a post." = "글 링크입니다."; + +/* No comment provided by engineer. */ +"A link to a tag." = "태그 링크입니다."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "이 계정의 사이트 목록"; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "사이트 방문자를 늘리기 위한 여러 단계로 이루어진 과정."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "'%@' 태그가 이미 존재합니다."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "주소"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "이 앱은"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "새로운 통계 카드 추가"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "처음에 추가하기"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "토픽 추가하기"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "리더에서 부를 사용자 정의 CSS URL을 여기에 추가하세요. 자체적으로 칼립소를 실행하고 있다면 다음과 같이 할 수 있습니다: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "독립 호스트 사이트 추가"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "대체 텍스트 추가하기"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "모든 토픽 추가하기"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "새 계정을 나타내는 이미지 또는 아바타를 추가합니다."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "단락 블록 추가"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "독립 호스트 사이트 추가"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "태그 추가"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "이 이메일 링크 추가하기"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "이 전화번호 링크 추가하기"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "사이트 기능 추가"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "앨범"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "정렬"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "오류가 발생 했습니다."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "알 수 없는 오류가 발생했습니다. 다시 시도하세요."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "댓글 승인"; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "변경 사항을 취소하시겠어요?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "업데이트하시겠습니까?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "예술"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "2018년 8월 1일 현재, 페이스북은 더 이상 페이스북 프로필에 직접 글 공유를 허용하지 않습니다. 페이스북 페이지에 대한 연결은 그대로 유지됩니다."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "파일을 링크로 첨부"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "오디오 플레이어"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "오디오 캡션. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "오디오 캡션. 비었음"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "오디오, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "작성자"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "자동 관리"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "새 글을 소셜 미디어 계정에 자동으로 공유합니다."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "자동 업데이트"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "인용 차단"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "블록을 복사하였습니다"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "블록을 잘라냈습니다"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "블록을 복제했습니다"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "블록 편집기 활성화됨"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "악의적인 로그인 시도 차단"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "블록을 붙여넣었습니다"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "블록을 제거했습니다"; - -/* No comment provided by engineer. */ -"Block settings" = "블록 설정"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "이 블로그 차단"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "블로그 방문자"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "굵게"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "댓글 스레드를 여러 페이지로 나눕니다."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "모든 테마를 검색하여 어울리는 것을 찾으세요."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "무차별 공격 대입 보호"; @@ -980,7 +1159,10 @@ "Button Style" = "버튼 스타일"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "작성자"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "계산 중..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "카메라"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "캡션"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "조심하세요!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "카테고리"; +/* No comment provided by engineer. */ +"Category Link" = "카테고리 링크"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "카테고리 제목 없음."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "인증서 오류"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "비밀번호 변경"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "블록 위치 변경"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "변경 실패"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "미리보기에 사용한 기기 종류 변경하기"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "사용자명 변경 중"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "구매 확인 오류"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "도메인 선택"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "파일 선택하기"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "이전 활동 기록 지우기"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "검색 지우기"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "댓글 닫기"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "미 화면 닫기"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "코드"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "축소됨, %i개의 완료된 작업, 토글링은 이러한 작업 목록을 확장합니다."; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "화려한 배경"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "사진, 비디오, 그리고 문자를 조합하여 방문자에게 매력적이고 좋아할 수 있는 탭할 수 있는 이야기 글을 만드세요."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "연결"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "문의"; + /* Support email label. */ "Contact Email" = "연락처 이메일"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "지원팀에 문의"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "%@(으)로 문의하기"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "콘텐츠 구성\n블록: %1$li, 단어: %2$li, 글자: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "계속"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "작업 계속"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple 로 계속하기"; +/* No comment provided by engineer. */ +"Convert to blocks" = "블록으로 전환하기"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "요리"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "복사된 블록"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "댓글로 링크 복사"; /* No comment provided by engineer. */ -"Copy block" = "블록 복사하기"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "파일 URL 복사하기"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "사이트 구매를 확인할 수 없습니다."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "사이트를 팔로우할 수 없음"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "이야기 글 만들기"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "워드프레스닷컴 사이트 생성"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "태그 만들기"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "새 사이트 생성"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "비즈니스, 잡지 또는 개인 블로그를 위한 새 사이트를 만들거나 기존 워드프레스 사이트에 연결하세요."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "글 또는 페이지 만들기"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "글, 페이지, 또는 이야기 만들기"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "다운로드할 수 있는 백업 만들기"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "현재 복원 중: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "사용자 정의 안내문…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "좋아요, 댓글, 팔로우 등의 사이트 설정을 사용자 정의합니다."; -/* No comment provided by engineer. */ -"Cut block" = "블록 잘라내기"; - /* Title for the app appearance setting for dark mode */ "Dark" = "검정"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017년 12월 17일"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "기본"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "기본 URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "새 글의 기본값"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "사이트 삭제 오류"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "메뉴 지우기"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "이 태그 삭제"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "설명"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "디자인"; /* Title for the desktop web preview */ "Desktop" = "데스크탑"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "세부사항"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "대화명"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "여기에 모든 사이트 통계를 표시하세요. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "여기에 사이트의 이번 주 통계를 표시하세요. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "여기에 오늘 사이트 통계를 표시합니다. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "문서: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "도메인 연락처 정보"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "도메인 소유자는 모든 도메인의 공개 데이터베이스에 있는 연락처 정보를 공유해야 합니다. 개인정보 보호에 따라 회원님의 정보가 아닌 당사의 정보를 공개하며, 회원님이 받을 커뮤니케이션은 비공개적으로 전달합니다."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "도메인"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "아직 계정이 없으신가요? _가입_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "완료됨"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "걱정하지 마세요"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "여기에 모든 사이트 통계를 표시하세요. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "여기에 사이트의 이번 주 통계를 표시하세요. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "여기에 오늘 사이트 통계를 표시합니다. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "문서: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "도메인 연락처 정보"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "도메인 소유자는 모든 도메인의 공개 데이터베이스에 있는 연락처 정보를 공유해야 합니다. 개인정보 보호에 따라 회원님의 정보가 아닌 당사의 정보를 공개하며, 회원님이 받을 커뮤니케이션은 비공개적으로 전달합니다."; + +/* Title for the Domains list */ +"Domains" = "도메인"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "아직 계정이 없으신가요? _가입_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "완료됨"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "걱정하지 마세요"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "두 번 누르고 유지하여 이 메뉴 항목을 위 또는 아래로 이동하기"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "이미지를 편집, 교체 또는 지울 작업 시트를 두 번 눌러 열기"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "사용할 수 있는 옵션이 포함된 작업 시트를 열려면 두 번 누르세요."; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "이미지를 편집, 교체 또는 지울 하단 시트를 두 번 눌러 열기"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "사용할 수 있는 옵션이 포함된 하위 시트를 열려면 두 번 누르세요."; - /* No comment provided by engineer. */ "Double tap to redo last change" = "마지막 변경을 다시 실행하려면 두 번 탭하세요."; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "백업 다운로드하기"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "파일 다운로드"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "다운로드"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "임시글"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "복제"; -/* No comment provided by engineer. */ -"Duplicate block" = "블록 복제하기"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "동쪽"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@ 블록 편집"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "차단 목록 단어 편집"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "글 편집"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "파일 편집하기"; /* No comment provided by engineer. */ "Edit focal point" = "초점 편집하기"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "블록 편집기에서 새 글과 페이지를 편집하세요."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "공유 버튼 편집"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "먼저 글 편집하기"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "웹 편집기를 이용하여 편집하기"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "이메일이 전송되었습니다."; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "비었음"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "빈 URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "활성화"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "종료일"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "전체 화면으로 보기"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "사용자 정의 값 입력"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "이 글을 보호하기 위한 암호를 입력하세요"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "위에 다른 단어를 입력하면 일치하는 주소를 찾겠습니다."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "클릭 한 번으로 백업에서 사이트를 복원할 수 있도록 서버 자격 증명을 입력하세요."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "사이트 설정 가속화를 업데이트하는 중 오류 발생"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "이벤트"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "요금제 살펴보기"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "콘텐츠 내보내기"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "특성 이미지가 로드 되지 않았습니다"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "테마를 가져오는 중..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "파일 형식"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "비밀번호 관리자로 채우기"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "이름"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "모두 고치기"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "해결됨"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "위협 해결 중"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "축구"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "편의를 위해 워드프레스닷컴 연락처 정보를 미리 채웠습니다. 이 도메인에 사용하려는 정보가 정확한지 검토하여 확인하세요."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "전달"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "무료"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "갤러리 캡션. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "사이트가 가동되고 작동 중입니다."; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "계정 정보 받기"; /* Cancel */ "Give Up" = "포기"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "개성과 주제를 반영하는 사이트 제목을 주십시오. 첫 인상이 많은 부분을 차지합니다!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "지메일"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML 콘텐츠"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "헤더 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "헤더 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "헤딩 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "헤딩 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "도움말"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "도움말 아이콘"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "지금까지 글의 성과입니다."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "키보드 감추기"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "중재를 위해 보관"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "만세!\n조금만 기다려 주세요"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "젯팩을 어떻게 고쳤을까요?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "좋아요"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "아이콘 및 텍스트"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "애플이나 구글로 계속하기를 원하고 이미 워드프레스닷컴 계정을 가지고 있지 않다면, 계정을 만들고 _약관_에 동의하는 것으로 간주합니다."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "%1$@를 삭제한다면 사용자는 더 이상 사이트를 이용할 수 없지만, %2$@가 만든 콘텐츠는 그대로 남아 있습니다."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "이미지 크기"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "이미지 캡션. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "이미지 제목"; +/* No comment provided by engineer. */ +"Image width" = "이미지 너비"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "이미지, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "즉시"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "이 사이트의 주제를 간략히 소개하세요."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "비활성"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "사용자명이나 비밀번호가 올바르지 않습니다. 로그인 정보를 다시 입력해 주세요."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "감염된 코어 파일"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "미디어 삽입"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "미디어 삽입"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "선택한 미디어 삽입"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "첫 번째 플러그인을 사이트에 설치하는 데에는 최대 1분이 소요될 수 있습니다. 이 시간 동안은 사이트를 변경할 수 없습니다."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "이야기 글 소개"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "이탤릭"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "사이트 성능을 최신 상태로 유지합니다."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "알려진 사용자"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "레이블"; +/* No comment provided by engineer. */ +"Landscape" = "가로형"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "언어"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "최신 글 요약"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "더 알아보기"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "날짜와 시간 형식에 대해 자세히 알아보세요."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "역할에 대하여 더 알아보기"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "기존 아이콘"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "지원"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "완료되면 알려주세요!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "%1$s 수준. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "%s 수준. 비어 있음."; + /* Title for the app appearance setting for light mode */ "Light" = "밝음"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "링크"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "기존 콘텐츠에 연결"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "댓글의 링크"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "목록 스타일"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "로드"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "로딩 중..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "로컬"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "워드프레스닷컴 사용자 이름과 비밀번호로 로그인합니다"; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "워드프레스에서 로그아웃하시겠습니까?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "로그인 요청 만료됨"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "로그"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "젯팩을 설치해 두셨네요, 축하합니다!\n아래의 Wordpress.com 정보로 로그인 해서 알림과 통계를 활성화하세요."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "비밀번호 분실?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "메인 내비게이션"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "이메일을 사용하여 계정 일치"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "최대 이미지 업로드 사이즈"; /* Title for the video size settings option. */ "Max Video Upload Size" = "최대 비디오 업로드 크기"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "미디어 업로드"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "미디어에 업로드할 관련 파일이 없습니다."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "미디어 파일 크기(%1$@)가 너무 커서 업로드할 수 없습니다. 허용되는 최대값은 %2$@입니다."; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "미디어 미리보기 실패함"; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "미디어 업로드됨(%ld개 파일)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "사이트 가동 시간 모니터링"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "월"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "워드프레스닷컴 상세 정보"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "가장 인기 있는 시간"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "아래로 이동"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "메뉴 항목 움직이기"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "댓글을 휴지통으로 이동"; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "음악"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "내 프로필"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "내 티켓"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "이름"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "사용자 정의 그라디언트로 가기"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "도움이 필요하세요?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "새 차단 목록 단어"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "새 사용자 정의 앱 아이콘"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "새 글"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "최신순"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "다음"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "다음 단계"; /* Accessibility label for the next notification button */ "Next notification" = "다음 알림"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "다음 기간"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "아니오"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "연결 없음"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "항목 없음"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "아직 댓글이 없습니다"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "글이 없습니다."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "최근 글 없음"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "이메일이 보이지 않으세요? 스팸이나 정크 메일 폴더를 확인하세요."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "안내: 컬럼 레이아웃은 테마와 화면 크기에 따라 달라질 수도 있습니다"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "아무것도 찾을 수 없습니다."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "번호"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "번호 목록"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "한 비밀번호 버튼"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "가장 관련성 높은 통계만 확인하세요. 필요에 맞게 인사이트를 추가하세요."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "이런!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "블록 활동 메뉴 열기"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "장치 설정 열기"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "워드프레스 열기"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "전체 미디어 선택기 열기"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "또는 사이트 주소를 입력하여 로그인하세요."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "순서 있는 목록"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "조직"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "기타 사이트"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "재정의"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "전화"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "페이지"; +/* No comment provided by engineer. */ +"Page Link" = "페이지 링크"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "페이지를 원본으로 복원"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "페이지 설정"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "페이지 바꾸기 블록. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "페이징"; +/* No comment provided by engineer. */ +"Paragraph" = "문단"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "상위 카테고리"; @@ -4486,7 +5442,7 @@ "Paste URL" = "URL 붙여 넣기"; /* No comment provided by engineer. */ -"Paste block after" = "이후에 블록 붙여넣기"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "서식없이 붙여넣기"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "마음에 드는 홈페이지 레이아웃을 선택하세요. 나중에 편집하고 원하는대로 꾸밀 수 있습니다."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "요금제"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "요금제"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "비디오 재생"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "발행을 시도하기 전에 약간의 콘텐츠를 추가하시기 바랍니다."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "인기 언어"; +/* No comment provided by engineer. */ +"Portrait" = "세로형"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "게시물"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "게시글 카테고리"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "글 형식"; +/* No comment provided by engineer. */ +"Post Link" = "글 링크"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "글이 임시글 목록으로 복원됨"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "%1$@님이 %2$@에 게시함"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "%@에 작성된 글"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "글 업로드 실패"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "글을 휴지통으로 이동했습니다."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "%1$@(%2$@)에서 %3$@님이 포스팅함."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "게시 활동"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "글"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "글 페이지"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "테너가 제공합니다"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "프리미엄"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "새 사이트를 미리 보고 방문자에게 어떤 것이 표시되는지 확인하세요."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "이전 알림"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "이전 기간"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "기본 사이트"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "프로젝트"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "공개"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "게시 중..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "구매"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "iOS 설정에서 푸시 알림이 꺼졌습니다. 다시 활성화하려면 \"알림 허용\"을 토글하세요."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "퀵 스타트"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "App Store에서 워드프레스닷컴 평가"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "사이트 계속 읽기:"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "다시 연결됨"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "참조자"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "관련 글에는 글 아래에 있는 사이트의 관련 콘텐츠가 표시됩니다."; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "저장된 글에서 이 글을 제거합니다."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "비디오 삭제"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "파일 바꾸기"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "이미지나 비디오를 대체하기"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "크기 조정 및 자르기"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "해결 방법"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "사이트 복원하기"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "이 지점으로 복원하기"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "재활용 가능한 블록은 iOS용 WordPress에서 편집할 수 없습니다."; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "보류 상태로 되돌림"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "역할"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS 전송됨"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "단락 스타일 선택"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "%@을(를) 선택하여 소셜 미디어 계정 추가"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "푸시 알림 보내기"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "서버에서 이미지 제공"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "글 페이지로 설정"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "설정"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "공유 오류"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "헤더 표시"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "관련 글 표시"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "비밀번호 보이기"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "글 콘텐츠 보기"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "섹션 표시"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "내 글만 표시"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "다음에 대한 통계 표시:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "사이트의 글을 보여 줍니다."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "가입하기"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "사이트 언어"; +/* No comment provided by engineer. */ +"Site Logo" = "사이트 로고"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "사이트 페이지"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "사이트 시간대(UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "사이트 제목을 성공적으로 바꿨습니다"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "사이트"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "팔로우한 사이트"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "크기"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "소셜"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "일부 미디어 업로드가 실패했습니다. 이 작업은 글에서 실패한 모든 미디어를 삭제할 것입니다.\n그래도 저장하시겠습니까?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "죄송합니다. 해당 사용자명은 이미 존재합니다!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "죄송합니다, 이 사용자명은 사용할 수 없습니다."; +"Sorry, that username is unavailable." = "죄송합니다, 이 사용자명은 사용할 수 없습니다."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "죄송합니다. 사용자명은 소문자(a-z)와 숫자만 포함할 수 있습니다."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "정렬 기준"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "소스 코드"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "남쪽"; /* Label for showing the available disk space quota available for media */ "Space used" = "사용된 공간"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "사이트 속도 향상"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "기본"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "다시 시작"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "글쓰기 시작…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "취소선"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "스텁"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "검토를 위해 제출 중..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "스포트라이트 색인 삭제됨"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "지원"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "사이트 전환"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "시스템 기본값"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "목차"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "%@ 보여주기"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "태그"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "태그 링크"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "태그가 이미 존재합니다."; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "어떤 종류의 사이트를 만들고 싶으신가요?"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "이용 약관"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "텍스트만"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "코드를 문자로 대신 받기"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "%1$@(%2$@ 제공)을(를) 선택해 주셔서 감사합니다."; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "대대적으로 업데이트된 Android 앱용 WordPress"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "앱에서 서버 반응을 인식할 수 없습니다. 사이트의 구성을 확인하세요."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "이 서버의 인증서가 올바르지 않습니다. “%@”(으)로 사칭한 서버에 연결 중일 수 있습니다. 기밀 정보가 노출될 수 있습니다.\n\n그래도 인증서를 신뢰하시겠어요?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "%1$@ 파일에 악성 코드 패턴이 있음"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "비디오를 미디어 라이브러리에 추가할 수 없었습니다."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "테마 활성화됨"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "%@에 연결하는 중 문제가 발생했습니다. 배포를 계속하려면 다시 연결하세요."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "글에 사진 및\/또는 비디오를 추가하려면 이 앱이 장치의 미디어 라이브러리에 액세스할 수 있어야 합니다. 액세스를 허용하려면 프라이버시 설정을 변경하세요."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "이 도메인을 사용할 수 없습니다"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "위협이 무시되었습니다."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "썸네일"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "제목"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "카테고리 제목은 필수입니다."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "글에 사진이나 비디오를 추가"; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "이 Google 계정을 진행하려면 먼저 워드프레스닷컴 비밀번호로 로그인하세요. 이 메시지는 한 번만 표시됩니다."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "글에 사용할 사진이나 비디오를 촬영"; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML 소스 토글 "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "순서 있는 목록 스타일 전환"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "총 단어 수"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "트래픽"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "다음으로 %s 변형"; - -/* No comment provided by engineer. */ -"Transform block…" = "블록 변형…"; - /* No comment provided by engineer. */ "Translate" = "번역"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter 사용자명"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "추가 아이디어에 대한 키워드 입력"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "이름 없는 사이트"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "순서 없는 목록"; /* Filters Unread Notifications */ "Unread" = "읽지 않음"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "저장되지 않은 변경 사항"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "제목없음"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "최대 7일 상당의 로그가 저장됩니다."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "미디어 업로드"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "사이트 아이콘 업로드"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "사이트 로고로 사용할 이미지를 업로드하거나, 미디어 라이브러리에서 하나를 고릅니다."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "업로드 실패"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "현재 위치 사용"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "블록 편집기 사용"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "이 링크를 활용하면 일일이 한 명씩 초대하지 않아도 여러 팀원이 팀에 참여할 수 있게 됩니다. 이 URL을 방문하는 사람은 누구나 조직에 가입할 수 있습니다. 다른 사람을 통해서 이 링크를 전달받은 사람도 가입할 수 있기 때문에 신뢰할 수 있는 사람에게만 공유하세요."; /* No comment provided by engineer. */ "Use this site" = "이 사이트 사용"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "이메일 주소 확인 - %@에 지침 전송"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "버전"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "%@ 버전을 사용할 수 있습니다."; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "비디오 미리 보기를 사용할 수 없음"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "비디오 캡션입니다. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "비디오 내보내기가 취소되었습니다."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "비디오, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "방문자"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "취약한 테마 %1$@(버전 %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP 관리자"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "리더에 오신 것을 환영합니다."; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "세계적으로 가장 잘 알려진 웹사이트 제작기에 오신 것을 환영합니다."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "2단계 인증코드가 맞지 않습니다. 코드를 다시 확인하시고 입력하여 주시기 바랍니다."; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "위젯"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "공개되지 않습니다."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "이 강력한 편집기로 이동 중에도 글을 쓸 수 있습니다."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "워드프레스 앱 설정"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "답변 작성..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "쓰기"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "사파리에서 사이트를 방문할 때 화면 상단에 있는 막대에 사이트 주소가 보입니다."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "사이트를 만들었습니다!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "지금 새 글의 블록 편집기를 사용하고 있습니다. 잘하셨습니다! 구 버전 편집기로 변경하려면 '내 사이트'> '사이트 설정'으로 이동하세요."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[댓글]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "1시간"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "오디오"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "제작자: %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "연결"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "문서 개요"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "두 번 눌러 단위 변경하기"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "예: 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "예: 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "팔로워"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "이미지"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "\"앱\"에서"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "오늘 중"; +/* No comment provided by engineer. */ +"link" = "링크"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "\/"; +/* No comment provided by engineer. */ +"ordered list" = "순서있는 목록"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "기타"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "비밀번호"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "전화번호"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "글"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "요약"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "다음 항목이 삭제됩니다."; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "오늘"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "워드프레스, 사이트, 사이트, 블로그, 블로그"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "새 도메인 %@을(를) 설정 중입니다. 사이트를 마음껏 이용하세요!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• 도메인"; diff --git a/WordPress/Resources/nb.lproj/Localizable.strings b/WordPress/Resources/nb.lproj/Localizable.strings index 5e6e1ffa2f61..6de160831eac 100644 --- a/WordPress/Resources/nb.lproj/Localizable.strings +++ b/WordPress/Resources/nb.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li ord, %2$li tegn"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s blokk-alternativer"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s-blokk. Tom"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s-blokk. Denne blokken har ugyldig innhold"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Addresselinje %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 kladd til innlegg lastet opp"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 time"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "En \"mer\"-knapp inneholder en nedtrekksmeny som viser deleknapper"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Ett fremhevet bilde er bestemt. Trykk for å endre det."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "En oversiktover nettsteder under denne kontoen."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Et stikkord med navn '%@' eksisterer allerede."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESSE"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Om"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Legg til nytt statistikk-kort"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Legg til i begynnelsen"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Legg til et emne"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Legg til et selvbetjent nettsted"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Legg til alt-tekst"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Legg ethvert emne"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Legger til bilde, eller avatar, for å representere den nye kontoen."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Legg til en avsnittsblokk"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Legg til side på webhotell"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Legg til stikkord"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Legger til funksjoner"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albumer"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Justering"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "En feil oppsto."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "En ukjent feil oppstod. Vennligst prøv igjen."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Godtar kommentaren."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Er du sikker på at du vil avbryte og forkaste endringene?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Er du sikker på at du vil oppdatere?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Fra 1. august 2018 tillater ikke Facebook lenger direkte deling av innlegg til Facebook-profiler. Tilkoblinger til Facebook-sider forblir derimot uendret."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Legg ved fil som lenke"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Lyd, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Forfattere"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Behandlet automatisk"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Del automatisk nye innlegg til dine sosiale media-konti."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Automatiske oppdateringer"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Blokksitat"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blokk kopiert"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blokk kuttet"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blokk duplisert"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blokkredigering aktivert"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blokker fiendtlige innloggingsforsøk"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blokk limt inn"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blokk fjernet"; - -/* No comment provided by engineer. */ -"Block settings" = "Blokkinnstillinger"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokker dette nettstedet"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Bloggens leser"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Uthevet"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Del opp kommentar i flere sider."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Bla gjennom alle temaer for å finne din perfekte tilpasning."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Beskyttelse mot angrep med rå styrke"; @@ -980,7 +1159,10 @@ "Button Style" = "Knappestil"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "Av"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Kalkulerer..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Bildetekst"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Forsiktig!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategoritittel mangler."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Sertifikatfeil"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Endre passord"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Endring feilet"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Endrer brukernavn"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Sjekk feil under kjøp"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Velg domene"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Lukk kommentarer"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Lukk Meg-skjermen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kode"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Skjult, %i fullførte oppgaver, veksling utvider listen over disse oppgavene"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Tilkoblinger"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakt"; + /* Support email label. */ "Contact Email" = "Kontakt-epost"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontakt kundestøtte"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontakt oss på %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Fortsett"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Fortsett arbeidet"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Fortsetter med Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Konverter til blokker"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Kopierte blokk"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Kopier lenke til kommentar"; /* No comment provided by engineer. */ -"Copy block" = "Kopier blokk"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Kunne ikke sjekke sidekjøp."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Kunne ikke følge nettstedet"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Lag WordPress.com-nettsted"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Lag et stikkord"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Lag et nytt nettsted"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Lag en ny side for din business, ditt magasin, eller din personlige blogg; eller koble til en eksisterende WordPress-installasjon."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Lag et innlegg eller en side"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Tilpass sideinnstillinger for liker, kommentarer, følgere og mer."; -/* No comment provided by engineer. */ -"Cut block" = "Kutt blokk"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Mørk"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "Desember 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standard"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standard for nye innlegg"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Feil under sletting av siden"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Slett dette stikkordet"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Beskrivelse"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Skrivebord"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaljer"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Visningsnavn"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Vis all nettstedsstatistikk her. Konfigurer i WordPress-appen under nettsidestatistikk."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Vis nettstedets statistikk for denne siden her. Konfigurer i nettstedsstatistikken i WordPress-appen."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Vis statistikk for nettstedet ditt for i dag her. Konfigurer det i WordPress-appen i din nettstedsstatistkk."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dokument: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Kontaktinformasjon for domene"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domene-eiere må dele kontaktinfo i en offentlig database med alle domener. Med Personvernbeskyttelsen, publiserer vi vår egen kontaktinfo i stedet for din, og videresender all kommunikasjon til deg."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domener"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Har du ikke en konto? _Registrer deg_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Ferdig"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Vis all nettstedsstatistikk her. Konfigurer i WordPress-appen under nettsidestatistikk."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Vis nettstedets statistikk for denne siden her. Konfigurer i nettstedsstatistikken i WordPress-appen."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Vis statistikk for nettstedet ditt for i dag her. Konfigurer det i WordPress-appen i din nettstedsstatistkk."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dokument: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Kontaktinformasjon for domene"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domene-eiere må dele kontaktinfo i en offentlig database med alle domener. Med Personvernbeskyttelsen, publiserer vi vår egen kontaktinfo i stedet for din, og videresender all kommunikasjon til deg."; + +/* Title for the Domains list */ +"Domains" = "Domener"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Har du ikke en konto? _Registrer deg_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Ferdig"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Dobbelttrykk for å gjenta siste endring"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Nedlastinger"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Kladder"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Dupliser blokk"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Øst"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Rediger %@-blokk"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Rediger blokkeringslisteord"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Rediger innlegg"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Rediger fil"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Rediger nye innlegg og sider med det blokkbaserte redigeringsverktøyet."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Rediger delingsknapper"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Epost sendt!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Tomt"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Tom URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Aktiver"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Gå inn i fullskjerm"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Skriv inn en egendefinert verdi"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Skriv inn forskjellige ord over, og vi vil se etter en adresse som matcher dem."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Feil under oppdatering av sideinnstillinger"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Hendelse"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Utforsk pakker"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Eksporter innhold"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Fremhevet bilde ble ikke lastet"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Henter temaer..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Filtype"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fyll ut med passordbehandler"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Fornavn"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For enkelhets skyld har vi fylt inn kontaktinformasjonen fra din WordPress.com-konto. Dobbeltsjekk om det er denne informasjonen du vil bruke for dette domenet."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Fremover"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Gratis"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galleritekst. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Få ditt nettsted opp og kjøre"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Få mer informasjon"; /* Cancel */ "Give Up" = "Gi opp"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Gi nettstedet ditt et navn som gjenspeiler personligheten og emne for innholdet. Førsteinntrykk teller!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML-innhold"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Overskrift 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Overskrift 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Overskrift 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Overskrift 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Hjelp"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Hjelp-ikon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Her er hvordan innlegget har gjort det så langt."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skjul tastatur"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold til moderering"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurra!\nNesten ferdig"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Jeg liker den"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Ikon og tekst"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Hvis du fjerner %1$@, vil den brukeren ikke lenger ha tilgang til nettstedet, men innhold som ble laget av %2$@ vil bli værende på nettstedet."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Bildestørrelse"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Bildetekst. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Bildetittel"; +/* No comment provided by engineer. */ +"Image width" = "Bildebredde"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Bilde, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Umiddelbart"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Forklar hva siden er om med noen få ord."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inaktiv"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Feil brukernavn eller passord. Prøv å skrive inn på nytt."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Sett inn medie"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Sett inn medier"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Sett inn valgte"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installasjon av den første utvidelsen på siden din kan ta opp til et minutt. I løpet av denne tiden vil du ikke kunne gjøre endringer på siden."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursiv"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Følg med på nettstedets ytelse."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Kjente brukere"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Merkelapp"; +/* No comment provided by engineer. */ +"Landscape" = "Landskap"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Språk"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Stor"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Nyeste innleggssammendrag"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Lær mer"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Lær mer om formatering av dato og tid."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "La oss hjelpe"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Nivå %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Lys"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Lenke til"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Lenke til eksisterende innhold"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Lenker i kommentarer"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Listestil"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Last"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Laster..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Logge ut av WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Innloggingsforespørselen utløp"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logger"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Det ser ut til at du har Jetpack satt opp på ditt nettsted. Gratulerer!\nLogg inn med din WordPress.com-innlogging nedenfor for å aktivere statistikk og varslinger."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Mistet ditt passord?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hovednavigasjon"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Samsvar kontoer gjennom E-post"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Maksimal størrelse for opplastede bilder"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maksstørrelse på videoopplasting"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Mediet har ikke en tilknyttet fil for opplastning."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Mediefilstørrelsen (%1$@) er for stor til å laste opp. Maksimum tillatt er %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Medieforhåndsvisning feilet."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Mediefiler lastet opp (%ld filer)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Overvåk ditt nettsteds oppetid"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Måneder"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Mest populære tidspunkt"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Flytt ned"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Flytter kommentaren til søppelkassen."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Min profil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Mine kundestøttebilletter"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Navn"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hjelp?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nytt blokkeringslisteord"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nye innlegg"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Nyeste"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Neste"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Neste trinn"; /* Accessibility label for the next notification button */ "Next notification" = "Neste varsel"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Neste periode"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Nei"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Ingen forbindelse"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Ingen objekter"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Ingen kommentarer ennå"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Ingen innlegg."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Ingen nylige innlegg"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Ingenting funnet."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Nummer"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Nummerert liste"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Se bare den mest relevante statistikken. Legg til innsikter tilpasset dine behov."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Uffda!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Åpne enhetsinnstillinger"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Åpne WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Åpne full medievelger"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Eller logg inn ved å _oppgi adressen til nettstedet_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Nummerert liste"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisasjon"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andre sider"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overstyrt"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Side"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Side tilbakestilt til Kladd"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Sideinnstillinger"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Sideskilleblokk. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Sider"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Foreldrekategori"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Lim inn URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Lim inn uten formattering"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Abonnementspakke"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Abonnementer"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Spill av video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Vennligst legg til litt innhold før du prøver å publisere."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Populære språk"; +/* No comment provided by engineer. */ +"Portrait" = "Portrett"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publiser"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Innleggskategorier"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Innleggsformat"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Innlegg tilbakestilt til Kladd"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Innlegg av %1$@, fra %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Innlegg opprettet den %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Innlegg kunne ikke lastes opp"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Innlegg flyttet til papirkurven."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publisert i %1$@, den %2$@, av %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Innleggsaktivitet"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Innlegg"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Innleggsside"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Drevet av Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Forhåndsvis ditt nye nettsted for å se hva dine besøkende vil se."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Forrige varsel"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Forrige periode"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Hovedside"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Prosjekter"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Offentlig"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publiserer..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Kjøp"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-varsler har blitt slått av i iOS-innstillingene. Skru på \"Tillat varslinger\" for å skru dem på igjen."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Hurtigstart"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Vurder oss på App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Les på"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Koblet til på nytt"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Henviser"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Relaterte innlegg viser relevant innhold fra siden din under innleggene dine"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Fjern dette innlegget fra mine lagrede innlegg."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Fjern video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Erstatt bilde eller video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Endre størrelse og beskjær"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Oppløsning"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Reverser ventende endring"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Rolle"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS sendt"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Velg avsnittsstil"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Trykk på %@ for å legge til dine konti på sosiale medier"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push-notifikasjoner"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Server bilder fra våre servere"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Sett som innleggsside"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Sett opp"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Delingsfeil"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Vis overskift"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Vis relaterte innlegg"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Vis passord"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Vis innhold av innlegg"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Vis seksjon"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Viser bare mine innlegg"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Viser statistikk for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Viser nettstedets innlegg"; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Registrer deg"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Nettstedsspråk"; +/* No comment provided by engineer. */ +"Site Logo" = "Nettstedslogo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Nettstedsside"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Tidssone for nettstedet (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Nettstedstittelen ble endret"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Nettsteder"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Størrelse"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Sosialt"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Noen medieopplastninger feilet. Denne handlingen vil fjerne alle feilede medier fra innlegget.\nLagre likevel?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Beklager, det brukernavnet finnes allerede!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Beklager, det brukernavnet er ikke tilgjengelig."; +"Sorry, that username is unavailable." = "Beklager, det brukernavnet er ikke tilgjengelig."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Beklager, brukernavn kan kun inneholde små bokstaver (a-z) og tall."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sorter etter"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Kildekode"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sør"; /* Label for showing the available disk space quota available for media */ "Space used" = "Lagringsplass brukt"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Gjør siden din raskere"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start på nytt"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start å skrive..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Gjennomstreking"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stump"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Sender inn for gjennomgang..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Tømte Spotlight-indeks med suksess"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Bytt nettsted"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systemstandard"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabell viser %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Stikkord"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Stikkord eksisterer allerede"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Fortell oss hva slags nettside du vil lage"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Vilkår for bruk"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Kun tekst"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Send koden på tekstmelding i stedet"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Takk for at du valgte %1$@ av %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "WordPress for Android får et stort ansiktsløft"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Appen kjenner ikke igjen svaret fra serveren. Vennligst sjekk oppsettet på ditt nettsted."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Sertifikatet for denne serveren er ikke gyldig. Du kan potensielt koble til en server som later som den er «%@», som kan eksponere informasjon om deg.\n\nVil du stole på sertifikatet uansett?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoen kunne ikke legges til i Mediebiblioteket."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema aktivert"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Der oppstod en feil under tilkobling til %@. Koble til igjen for å fortsette å dele."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Denne appen trenger tilgang til enhetens mediebibliotek for å legge til bilder og\/eller videoer i innleggene dine. Vennligst endre personverninnstillingene hvis du ønsker dette."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatyrbilde"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Tittel"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Tittel for kategori er obligatorisk."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "For å legge til bilder eller videoer til innleggene dine."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "For å fortsette med denne Google-kontoen, vennligst logg inn med WordPress.com-passordet ditt først. Du vil kun bli spurt om dette én gang."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "For å ta bilder eller videoer til bruk i innleggene dine."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Veksle HTML-kildevisning"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Justerer den sorterte listestilen"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Antall ord"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Trafikk"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Oversett"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-brukernavn"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Skriv inn et nøkkelord for flere ideer"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Side uten navn"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Punktliste"; /* Filters Unread Notifications */ "Unread" = "Ulest"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Ikke-lagrede endringer"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Uten tittel"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Opp til sju dager med logger blir lagret."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Last opp medier"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Last opp et nettstedsikon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Last opp et bilde eller velg et fra ditt mediebibliotek, som skal være din nettstedslogo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Opplasting feilet"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Bruk gjeldende plassering"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Bruk blokkredigering"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Bruk dette nettstedet"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Bekreft din e-postadresse - instruksjoner sendt til %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versjon"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Versjon %@ er tilgjengelig"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Videoforhåndsvisning ikke tilgjengelig"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Bildetekst for video. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Videoeksport avbrutt."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Lesere"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Velkommen til leseren"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Oida, det var ikke en gyldig 2-trinnsautentiseringskode. Dobbeltsjekk koden din, og prøv igjen!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgeter"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Vil ikke vises offentlig."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Innstillinger for WorfPress-appen"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Skriv et svar..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Skriver"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Sideadressen din vises i adresselinja øverst på skjermen når du besøker siden i Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Dit nettsted er opprettet!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Du bruker nå det blokkbaserte redigeringsverktøyet for nye innlegg — supert! Hvis du vil endre til det klassiske redigeringsverktøyet, gå til ‘Mitt nettsted’ > ‘Innstillinger for nettstedet’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[KOMMENTAR]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "én time"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "lyd"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "av %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "tilkoblinger"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "f.eks. 12345678"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "f.eks. 47"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "følger"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/min-nettsteds-adresse (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "bilde"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "i \"Apper\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "senere i dag"; +/* No comment provided by engineer. */ +"link" = "lenke"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "av"; +/* No comment provided by engineer. */ +"ordered list" = "sortert liste"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "annet"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "telefonnummer"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "innlegg"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "disse objektene vil bli slettet:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "i dag"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sider, side, blogger, blogg"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "ditt nye domene %@ blir satt opp. Siden din er så spent at den tar salto!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domener"; diff --git a/WordPress/Resources/nl.lproj/Localizable.strings b/WordPress/Resources/nl.lproj/Localizable.strings index 5e774ad6503a..83dea706957c 100644 --- a/WordPress/Resources/nl.lproj/Localizable.strings +++ b/WordPress/Resources/nl.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-20 13:39:16+0000 */ +/* Translation-Revision-Date: 2021-05-06 19:56:49+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: nl */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ongeziene berichten"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s getransformeerd naar %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d van %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li woorden, %2$li karakters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s blokopties"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s blok. Leeg"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s blok. Dit blok heeft ongeldige inhoud"; +/* translators: %s: Number of comments */ +"%s comment" = "%s reactie"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' wordt niet volledig ondersteund"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adresregel %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Selecteer -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Een \"blok\" is een abstracte term dat wordt gebruikt om\n\/\/ markup eenheden te beschrijven die allemaal samen\n\/\/ de inhoud of de lay-out van een pagina vormen.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 concept bericht geüpload."; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potentiële bedreiging gevonden"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 uur"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Een \"meer\" knop bevat een dropdown met sharing knoppen"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "Een kalender met de berichten van je site."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "Een wolk van je meest gebruikte tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "Een verzameling blokken waarmee bezoekers op je site kunnen navigeren."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Een uitgelichte afbeelding is ingesteld. Klik om het te wijzigen."; /* Title for a threat */ "A file contains a malicious code pattern" = "Een bestand bevat een kwaadaardig codepatroon"; +/* No comment provided by engineer. */ +"A link to a category." = "Een link naar een categorie."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "Een link naar een aangepaste URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Een link naar een pagina."; + +/* No comment provided by engineer. */ +"A link to a post." = "Een link naar een bericht."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Een link naar een tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Een lijst van sites op dit account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Een aantal stappen om je te helpen, een groter publiek te krijgen voor je site."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "Een enkele kolom in een kolommenblok."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Een tag genaamd '%@' bestaat al."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRES"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Over"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Nieuwe statistiekenkaart toevoegen"; +/* No comment provided by engineer. */ +"Add Template" = "Template toevoegen"; + /* No comment provided by engineer. */ "Add To Beginning" = "Toevoegen aan begin"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Voeg een onderwerp toe"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Een blok toevoegen dat inhoud toont in meerdere kolommen, daarna de inhoudsblokken toevoegen die je wilt."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Een blok toevoegen dat inhoud van andere sites laat zien, zoals Twitter, Instagram, of YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Voeg een URL voor eigen CSS toe die geladen wordt in Lezer. Als je Calypso lokaal gebruikt, kan dit zoiets zijn: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Voeg een link naar een downloadbaar bestand toe."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Voeg een pagina, link, of ander element toe aan je navigatie."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Voeg een zelf-gehoste site toe"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Voeg alt-tekst toe"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Voeg een afbeelding of video toe met tekst eroverheen — geweldig voor headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Voeg elk onderwerp toe"; +/* No comment provided by engineer. */ +"Add caption" = "Bijschrift toevoegen"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Citaat toevoegen"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Aangepaste HTML-code toevoegen en voorbeeld bekijken tijdens het bewerken."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Voeg een afbeelding of avatar toe, die bij dit nieuwe account hoort."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Paragraafblok toevoegen"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Quote toevoegen"; + /* Add self-hosted site button */ "Add self-hosted site" = "Een zelf-gehoste site toevoegen"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Voeg tags toe"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Tekst toevoegen die je tussenruimte en tabs behoudt, en ook styling toestaat."; + +/* No comment provided by engineer. */ +"Add text…" = "Tekst toevoegen..."; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Voeg de auteur van dit bericht toe."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Voeg de datum van dit bericht toe."; + /* No comment provided by engineer. */ "Add this email link" = "Voeg deze e-mail link toe"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Voeg deze telefoon link toe"; +/* No comment provided by engineer. */ +"Add tracks" = "Tracks toevoegen"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Ruimte toevoegen tussen blokken en de hoogte aanpassen."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Sitefuncties toevoegen"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Centreer kolom naar het midden"; + +/* No comment provided by engineer. */ +"Align column left" = "Kolom naar links uitlijnen"; + +/* No comment provided by engineer. */ +"Align column right" = "Kolom naar rechts uitlijnen"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Uitlijning"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Er is een fout opgetreden."; +/* No comment provided by engineer. */ +"An example title" = "Een voorbeeld titel"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Een onbekende fout heeft zich voorgedaan. Probeer opnieuw."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Reactie goedkeuren."; +/* No comment provided by engineer. */ +"Archive Title" = "Archieftitel"; + +/* No comment provided by engineer. */ +"Archive title" = "Archieftitel"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archiefinstellingen"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Weet je zeker dat je wilt annuleren en wijzigingen wilt verwerpen?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Weet je zeker dat je wilt updaten?"; +/* No comment provided by engineer. */ +"Area" = "Gebied"; + /* An example tag used in the login prologue screens. */ "Art" = "Kunst"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Vanaf 1 augustus 2018 kunnen berichten niet meer direct op Facebook-profielen worden gedeeld. Koppelingen aan Facebook-pagina's blijven ongewijzigd."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Bestand als link bijvoegen"; +/* No comment provided by engineer. */ +"Attachment page" = "Bijlagepagina"; + /* No comment provided by engineer. */ "Audio Player" = "Audiospeler"; +/* No comment provided by engineer. */ +"Audio caption text" = "Tekst audio bijschrift"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio bijschrift. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio bijschrift. Leeg"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio-instellingen"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Auteurs"; +/* No comment provided by engineer. */ +"Auto" = "Automatisch"; + /* Describes a status of a plugin */ "Auto-managed" = "Automatisch beheerd"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Deel nieuwe berichten automatisch op je socialmedia-accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Automatisch afspelen"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Automatische updates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Citaat"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blok gekopieerd"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blok geknipt"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blok gedupliceerd"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Blok kan niet binnen zichzelf getoond worden."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blok-editor ingeschakeld"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Blok is verwijderd of is niet beschikbaar."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blokkeer verdachte inlogpogingen"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blok geplakt"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blok verwijderd"; - -/* No comment provided by engineer. */ -"Block settings" = "Blok instellingen"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokkeer deze site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's bezoeker"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cel tekst"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Vet"; +/* No comment provided by engineer. */ +"Border" = "Rand"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Deel reacties in threads op in meerdere pagina's."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Beschrijf kort de link om schermlezer-gebruikers te helpen."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Blader door al onze thema's om het thema te vinden dat perfect bij je past."; +/* No comment provided by engineer. */ +"Browse all templates" = "Blader door alle templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Blader door alle templates. Dit opent het template menu in het navigatie zijpaneel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser standaard"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack bescherming"; @@ -980,7 +1159,10 @@ "Button Style" = "Knop style"; /* No comment provided by engineer. */ -"ButtonGroup" = "Knoppen groep"; +"Buttons shown in a column." = "Knoppen weergegeven in een kolom."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Knoppen weergegeven in een rij."; /* Label for the post author in the post detail. */ "By " = "Door"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Wordt berekend ..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Onderschrift"; +/* No comment provided by engineer. */ +"Captions" = "Bijschriften"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Voorzichtig!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Categorie"; +/* No comment provided by engineer. */ +"Category Link" = "Categorielink"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Categorie titel ontbreekt."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificaat fout"; +/* No comment provided by engineer. */ +"Change Date" = "Verander datum"; + /* Account Settings Change password label Main title */ "Change Password" = "Wijzig wachtwoord"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Wijzig blokpositie"; +/* No comment provided by engineer. */ +"Change column alignment" = "Wijzig uitlijning kolom"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Wijzigen mislukt"; +/* No comment provided by engineer. */ +"Change heading level" = "Wijzig heading niveau"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Wijzig het te gebruiken type apparaat voor voorbeeld"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Gebruikersnaam wijzigen"; +/* No comment provided by engineer. */ +"Chapters" = "Hoofdstukken"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Fout bij controleren van aankopen"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Kies domein"; +/* No comment provided by engineer. */ +"Choose existing" = "Kies bestaande"; + /* No comment provided by engineer. */ "Choose file" = "Kies bestand"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Wis logboek van alle oude activiteiten?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Aanpassingen wissen"; + /* No comment provided by engineer. */ "Clear search" = "Zoekopdracht wissen"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Reacties afsluiten"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Sluit de globale stijl zijbalk"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Sluit de zijbalk van de lijstweergave"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Sluiten instellingen zijbalk"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Sluit het ik-scherm"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is poëzie"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Ingevouwen, %i voltooide taken; door deze knop om te zetten, wordt de lijst met deze taken uitgevouwen"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Kleurrijke achtergronden"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Kolom %d tekst"; + +/* No comment provided by engineer. */ +"Column count" = "Aantal kolommen"; + +/* No comment provided by engineer. */ +"Column settings" = "Kolom instellingen"; + +/* No comment provided by engineer. */ +"Columns" = "Kolommen"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combineer foto's, video's en tekst om boeiende en tikbare verhalen te maken die je bezoekers geweldig zullen vinden."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Verbindingen"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "E-mail contactpersoon"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Neem contact op met support"; +/* No comment provided by engineer. */ +"Contact us" = "Neem contact op"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Neem contact op via %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Inhouds-structuur\nBlokken: %1$li, Woorden: %2$li, Karakters: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Doorgaan"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Ga verder met WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Blijven werken"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Ga verder met Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Converteren naar blokken"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Koken"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "URL gekopieerd naar klembord."; + /* No comment provided by engineer. */ "Copied block" = "Gekopieerd blok"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Kopieer link naar reactie"; /* No comment provided by engineer. */ -"Copy block" = "Blok kopieren"; +"Copy URL" = "Kopieer URL"; /* No comment provided by engineer. */ "Copy file URL" = "Kopieer bestands URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Site-aankopen konden niet gecontroleerd worden."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Kon site niet volgen"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Verhaal maken"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com site maken"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Maak een tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Maak een nieuwe site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Maak een nieuwe site voor jouw bedrijf, tijdschrift of persoonlijke blog; of verbind een bestaande WordPress installatie."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Maak een bericht of pagina"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Een bericht, pagina of verhaal maken"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Maak downloadbare back-up"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Momenteel aan het herstellen: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Aangepast bericht…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Je site-instellingen aanpassen voor Likes, Reacties, Volgt en meer."; -/* No comment provided by engineer. */ -"Cut block" = "Blok knippen"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Donker"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standaard"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Standaard URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standaardinstellingen voor nieuwe berichten"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Fout bij het verwijderen van site"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Menu verwijderen"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Verwijder deze tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Beschrijving"; +/* No comment provided by engineer. */ +"Descriptions" = "Beschrijvingen"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Ontwerp"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Weergavenaam"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor allertijden hier. Configureer in de WordPress-app in je site-statistieken."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor deze week hier. Configureer in de WordPress-app in je site-statistieken."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor vandaag hier. Configureer in de WordPress-app in je site-statistieken."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Contactgegevens domein"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domeineigenaren moeten contactgegevens delen in een openbare database met alle domeinen. Met Privacybescherming publiceren we onze eigen informatie in plaats van die van jou en sturen we berichten privé naar je door."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domeinen"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Toon de categorieën van een bericht."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Klaar"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Toon het aantal reacties van een bericht."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Maak je geen zorgen"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Toon het reacties formulier van een bericht."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Toon de reacties van een bericht."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Toon samenvatting van bericht."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Toon de uitgelichte afbeelding van bericht."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Toon tags van het bericht."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Toon een pictogram die verwijst naar een social media profiel of site."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Toon als dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Toon auteur"; + +/* No comment provided by engineer. */ +"Display avatar" = "Toon avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor allertijden hier. Configureer in de WordPress-app in je site-statistieken."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor deze week hier. Configureer in de WordPress-app in je site-statistieken."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor vandaag hier. Configureer in de WordPress-app in je site-statistieken."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Contactgegevens domein"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domeineigenaren moeten contactgegevens delen in een openbare database met alle domeinen. Met Privacybescherming publiceren we onze eigen informatie in plaats van die van jou en sturen we berichten privé naar je door."; + +/* Title for the Domains list */ +"Domains" = "Domeinen"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Klaar"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Maak je geen zorgen"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Dubbel tikken en vasthouden om dit menu-item naar boven of beneden te verplaatsen"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Dubbeltikken om het actieblad te openen om de afbeelding te bewerken, vervangen of wissen"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Dubbeltik om actieblad te openen met beschikbare opties"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Dubbeltikken om onderste blad te openen om de afbeelding te bewerken, vervangen of wissen"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Dubbeltik om onderste blad te openen met beschikbare opties"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Tik tweemaal om laatste wijziging opnieuw uit te voeren"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Back-up downloaden"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Bestand downloaden"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Concepten"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Dupliceer"; -/* No comment provided by engineer. */ -"Duplicate block" = "Dupliceer blok"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Oost"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Bewerk %@ blok"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Bewerk bloklijst woord"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Bewerk bericht"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Bestand bewerken"; /* No comment provided by engineer. */ "Edit focal point" = "Focuspunt bewerken"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Bewerk afbeelding"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Bewerk nieuwe berichten en pagina's met de blok-editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Wijzig deel knoppen"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Bewerk eerst het bericht"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Bewerk met gebruik van de webeditor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-mail verzonden!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Leeg"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Lege URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Inschakelen"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Einddatum"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Volledig scherm openen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Voeg een aangepaste waarde in"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Vul een wachtwoord in om dit bericht te beveiligen"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Voer hierboven andere woorden in, zodat wij op zoek kunnen gaan naar een adres dat overeenkomt."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Voer de inloggegevens voor je server in om terugzetten in één klik voor je back-ups in te schakelen."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Fout bij updaten van snelheidsverbeteringen site"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Evenement"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Abonnementen verkennen"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Content exporteren"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Uitgelichte afbeelding kan niet worden geladen"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Thema's ophalen..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Bestandstype"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Invullen met wachtwoordmanager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Voornaam"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Alles oplossen"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Opgelost"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Bezig met bedreigingen oplossen"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Voetbal"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "We hebben je contactgegevens van WordPress.com alvast ingevuld om je op weg te helpen. Controleer of dit de juiste gegevens zijn die je voor dit domein wilt gebruiken."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Doorsturen"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Gratis"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galerij bijschrift. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Ga aan de slag met je site"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Account informatie ophalen"; /* Cancel */ "Give Up" = "Opgeven"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Geef je site een naam die zijn personaliteit en onderwerp reflecteerd. De eerste indruk telt!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML inhoud"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Koptekst 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Koptekst 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Help"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help-icoon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Hier zie je hoe het bericht het tot nu toe heeft gedaan."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Toetsenbord verbergen"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Inhouden voor moderatie"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hoera!\nBijna klaar"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Hoe heeft Jetpack het opgelost?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Ik vind dit leuk"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Tekst"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Als je doorgaat met een Apple of Google account en je hebt nog geen WordPress.com account, dan maak je een account aan en ga je akkoord met onze _algemene voorwaarden_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Als je %1$@ verwijdert, kan deze gebruiker deze site niet meer openen. Alle inhoud die door %2$@ is gemaakt blijft op de site staan."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Afbeeldingsgrootte"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Onderschrift afbeelding. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Titel voor afbeelding"; +/* No comment provided by engineer. */ +"Image width" = "Afbeelding breedte"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Afbeelding, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Onmiddellijk"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Beschrijf in een paar woorden waar deze site over gaat."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactief"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Gebruikersnaam of wachtwoord onjuist. Probeer nogmaals je inloggegevens in te voeren."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Geïnfecteerd core-bestand"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Media invoeren"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Media invoeren"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Invoegen geselecteerd"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Het installeren van de eerste plugin op je site kan maximaal een minuut duren. Terwijl dit gebeurt, kun je geen wijzigingen aan je site aanbrengen."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introductie verhalen"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Cursief"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Houd de prestaties van je site bij."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Bekende gebruikers"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Landschap"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Taal"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Groot"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Samenvatting laatste bericht"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Meer leren"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Ontdek meer over datum- en tijdnotaties."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Leer meer over rollen"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Verouderde pictogrammen"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Laat ons je helpen"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Laat het mij weten als het klaar is!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Niveau %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Niveau %s. Leeg."; + /* Title for the app appearance setting for light mode */ "Light" = "Licht"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link naar"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link naar bestaande inhoud"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in reacties"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Lijststijl"; +/* No comment provided by engineer. */ +"List text" = "Lijsttekst"; + /* Title of the screen that load selected the revisions. */ "Load" = "Laden"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Laden..."; +/* No comment provided by engineer. */ +"Loading…" = "Laden..."; + /* Status for Media object that is only exists locally. */ "Local" = "Lokaal"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in met je WordPress.com gebruikersnaam en wachtwoord."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Uitloggen van WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Aanmeldingsverzoek is verlopen"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Het lijkt er op dat Jetpack is geïnstalleerd op je site. Gefeliciteerd!\nLogin met je WordPress.com inloggegevens om statistieken en meldingen in te schakelen."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Wachtwoord vergeten?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hoofdnavigatie"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Koppel accounts via e-mail"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max. uploadgrootte bestand"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video upload-grootte"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media heeft geen geassocieerd bestand om te uploaden."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Formaat van mediabestand (%1$@) is te groot om te uploaden. Maximaal toegestane bestandsgrootte is %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Voorvertoning media mislukt."; +/* No comment provided by engineer. */ +"Media settings" = "Media instellingen"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media geüpload (%ld bestanden)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor de uptime van je site"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Maanden"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Meer op WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Populairste tijd"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Omlaag verplaatsen"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Afbeelding naar voren verplaatsen"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Verplaats menu-item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Verplaatst de reactie naar de prullenbak."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums om te zien in Londen"; + /* An example tag used in the login prologue screens. */ "Music" = "Muziek"; +/* No comment provided by engineer. */ +"Muted" = "Gedempt"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Mijn profiel"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Mijn tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "Mijn toptien café's"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Naam"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigeert naar aanpassen van het verloop"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigatie (horizontaal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigatie (verticaal)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hulp nodig?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nieuw bloklijst woord"; +/* No comment provided by engineer. */ +"New Column" = "Nieuwe kolom"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nieuwe aangepaste app pictogrammen"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nieuwe berichten"; +/* No comment provided by engineer. */ +"New template part" = "Nieuw template onderdeel"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Nieuwste"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Volgende"; +/* No comment provided by engineer. */ +"Next Page" = "Volgende pagina"; + /* Table view title for the quick start section. */ "Next Steps" = "Volgende stappen"; /* Accessibility label for the next notification button */ "Next notification" = "Volgende notificatie"; +/* No comment provided by engineer. */ +"Next page link" = "Volgende pagina link"; + /* Accessibility label */ "Next period" = "Volgende periode"; +/* No comment provided by engineer. */ +"Next post" = "Volgende bericht"; + /* Label for a cancel button */ "No" = "Nee"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Geen verbinding"; +/* No comment provided by engineer. */ +"No Date" = "Geen datum"; + /* List Editor Empty State Message */ "No Items" = "Geen items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nog geen reacties"; +/* No comment provided by engineer. */ +"No comments." = "Geen reacties."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Geen berichten."; +/* No comment provided by engineer. */ +"No preview available." = "Geen voorbeeld beschikbaar."; + /* A message title */ "No recent posts" = "Geen recente berichten"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Kan je de e-mail niet vinden? Controleer je spam-map of ongewenste e-mail."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Opmerking: het automatisch afspelen van audio kan voor sommige bezoekers bruikbaarheidsproblemen veroorzaken."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Opmerking: Kolom lay-out kan verschillen tussen thema's en schermafmetingen"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Niets gevonden."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Nummer"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Genummerde lijst"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password knop"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Bekijk alleen de meest relevante statistieken. Voeg inzichten toe, zodat deze aansluiten bij je behoeften."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oeps!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open menu met blokacties"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open apparaat instellingen"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open de volledige mediakiezer"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Of login door _je site-adres in te voeren_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Geordende lijst"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisatie"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andere sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overschreven"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFOON"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagina"; +/* No comment provided by engineer. */ +"Page Link" = "Paginalink"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagina teruggezet naar Concepten"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Pagina-instellingen"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Blok Pagina-einde. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginatie"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraaf"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Bovenliggende categorie"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Plak URL"; /* No comment provided by engineer. */ -"Paste block after" = "Plak het blok na"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Plak zonder formattering"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Kies je favoriete homepage lay-out. Je kunt hem bewerken of later aanpassen."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Abonnement"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Abonnementen"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Speel video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Voeg enige inhoud toe voordat je probeert om te publiceren."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Populaire talen"; +/* No comment provided by engineer. */ +"Portrait" = "Portret"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publiceer"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Berichtcategorieën"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; +/* No comment provided by engineer. */ +"Post Link" = "Berichtlink"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Bericht teruggezet naar Concepten"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Bericht door %1$@ van %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Bericht inhoud-instellingen"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Bericht gemaakt op %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Uploaden van bericht mislukt"; +/* No comment provided by engineer. */ +"Post meta settings" = "Bericht meta-instellingen"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Bericht verplaatst naar prullenbak."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Geplaatst in %1$@, op %2$@, door %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Posterafbeelding"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Berichtactiviteiten"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Berichten"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Berichtenpagina"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Mogelijk gemaakt door Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Bekijk een voorbeeld van je nieuwe site om te zien wat je bezoekers zien.."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Vorige notificatie"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Vorige periode"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Hoofdsite"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projecten"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Openbaar"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publiceren..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Aankopen"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Pushmeldingen zijn uitgeschakeld in iOS-instellingen. Selecteer 'Meldingen toestaan' om ze weer in te schakelen."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Snel start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS-instellingen"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Beoordeel ons in de App Store"; +/* No comment provided by engineer. */ +"Read more" = "Lees meer"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Lees op"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Opnieuw verbinding gemaakt"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Gerelateerde berichten geven relevante content van je site weer onder je berichten"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Dit bericht verwijderen uit mijn opgeslagen berichten."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Video verwijderen"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Vervang bestand"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Afbeelding of video vervangen"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Afmeting wijzigen en bijsnijden"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolutie"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Site terugzetten"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Terugzetten naar dit punt"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Herbruikbare blokken zijn niet bewerkbaar in WordPress voor iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Wijziging in behandeling terugzetten"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Rol"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Aantal rijen"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "Sms verzonden"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Alineastijl selecteren"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Selecteer %@ om je social media accounts toe te voegen"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Stuur pushmeldingen"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serveer afbeeldingen van onze servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Instellen als berichten pagina"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Instellen"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Fout tijdens delen"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Koptekst weergeven"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Toon gerelateerde berichten"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Toon wachtwoord"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Toon bericht inhoud"; +/* No comment provided by engineer. */ +"Show post counts" = "Toon aantal berichten"; + /* translators: Checkbox toggle label */ "Show section" = "Toon sectie"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Alleen mijn berichten worden getoond"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Statistieken tonen voor:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Toont de berichten van de site."; +/* No comment provided by engineer. */ +"Sidebars" = "Zijbalken"; + /* View title during the sign up process. */ "Sign Up" = "Aanmelden"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Site taal"; +/* No comment provided by engineer. */ +"Site Logo" = "Site-logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site-pagina"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Siteslogan tekst"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site tijdzone (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site titel is met succes gewijzigd"; +/* No comment provided by engineer. */ +"Site title text" = "Sitetitel tekst"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Te volgen sites"; +/* No comment provided by engineer. */ +"Six." = "Zes."; + /* Image size option title. */ "Size" = "Grootte"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Sociaal"; +/* No comment provided by engineer. */ +"Social Icon" = "Social pictogram"; + +/* No comment provided by engineer. */ +"Solid color" = "Effen kleur"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Er zijn uploads van media mislukt. Door deze handeling worden alle mislukte media uit het bericht verwijderd.\nToch opslaan?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Sorry, deze gebruikersnaam bestaat al!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Sorry, deze gebruikersnaam is niet beschikbaar."; +"Sorry, that username is unavailable." = "Sorry, deze gebruikersnaam is niet beschikbaar."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Deze inhoud kon niet ingesloten worden."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, gebruikersnamen kunnen alleen kleine letters (a-z) en nummers bevatten."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sorteer Op"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sortering en filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Broncode"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Zuid"; /* Label for showing the available disk space quota available for media */ "Space used" = "Ruimte verbruikt"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Versnel jouw site"; +/* No comment provided by engineer. */ +"Square" = "Vierkant"; + /* Standard post format label */ "Standard" = "Standaard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Begin opnieuw"; +/* No comment provided by engineer. */ +"Start value" = "Beginwaarde"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Begin met schrijven..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Doorstrepen"; +/* No comment provided by engineer. */ +"Stripes" = "Strepen"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Inzenden voor beoordeling..."; +/* No comment provided by engineer. */ +"Subtitles" = "Ondertitels"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Spotlight-index succesvol gewist"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Ondersteuning"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Site wisselen"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systeemstandaard"; +/* No comment provided by engineer. */ +"Table" = "Tabel"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Inhoudsopgave"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabel toont %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag bestaat al"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Laat ons weten wat voor soort site je wilt maken"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Algemene voorwaarden"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Enkel tekst"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "SMS een code naar me toe"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Bedankt voor het kiezen van %1$@ door %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "De WordPress voor Android-app krijgt een grote update"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "De app herkent het antwoord van de server niet. Controleer de configuratie van je site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Het certificaat voor deze server is ongeldig. Je maakt mogelijk verbinding met een server die zich voordoet als “%@”, wat je vertrouwelijke informatie in gevaar kan brengen.\n\nWil je het certificaat toch vertrouwen?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "De samenvatting is verborgen."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "De samenvatting is zichtbaar."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Het bestand %1$@ bevat een kwaadaardig codepatroon"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "De video kon niet aan de mediabibliotheek toegevoegd worden."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "Het winterkoninkje
Verdient z'n brood
Geruisloos."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Thema geactiveerd"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Er is een probleem opgetreden met %@. Maak opnieuw verbinding om door te gaan met publiceren."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "Er is momenteel geen posterafbeelding geselecteerd"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Deze app heeft toestemming nodig om de mediabibliotheek van je apparaat te kunnen openen voor het toevoegen van foto's en\/of video's aan je berichten. Wijzig de privacyinstellingen als je dit wilt toestaan."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "Dit blok is verouderd. Gebruik in plaats hiervan het kolommenblok."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "Deze kolom waarde overschrijd het aanbevolen aantal en kan daarmee visuele problemen veroorzaken."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Dit domein is niet beschikbaar"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Bedreiging genegeerd."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Drie kolommen; gelijkmatig verdeeld"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Drie kolommen; brede midden kolom"; + +/* No comment provided by engineer. */ +"Three." = "Drie."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatuur"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Titel"; +/* No comment provided by engineer. */ +"Title & Date" = "Titel & datum"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Titel & samenvatting"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titel voor de categorie is verplicht."; +/* No comment provided by engineer. */ +"Title of track" = "Titel van track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Titel, datum & samenvatting"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Voor het toevoegen van foto's of video's aan je berichten."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Om verder te gaan met dit Google account, meld je eerst aan met je WordPress.com wachtwoord. Dit wordt maar één keer gevraagd."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "Om een reactie te tonen, geef het reactie ID in."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Voor het maken van foto's of video's die gebruikt kunnen worden in je berichten."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML-bron in-\/uitschakelen "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigatie"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle om een grote beginletter weer te geven."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Omschakelen naar geordende lijststijl"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Totaal aantal woorden"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks kunnen ondertitels, bijschriften, hoofdstukken of beschrijvingen zijn. Ze helpen je inhoud toegankelijker te maken voor een breder scala aan gebruikers."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Verkeer"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transformeer %s naar"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transformeer blok..."; - /* No comment provided by engineer. */ "Translate" = "Vertaal"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter gebruikersnaam"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Twee kolommen; gelijkmatig verdeeld"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Twee kolommen; één derde, twee derde verdeling"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Twee kolommen; twee derde, één derde verdeling"; + +/* No comment provided by engineer. */ +"Two." = "Twee."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type een trefwoord voor meer ideeën"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Naamloze site"; +/* No comment provided by engineer. */ +"Unordered" = "Ongeordend"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Ongeordende lijst "; /* Filters Unread Notifications */ "Unread" = "Ongelezen"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Onbeantwoord"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Niet-opgeslagen wijzigingen"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Zonder titel"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Template onderdeel zonder titel"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Logs worden zeven dagen lang opgeslagen."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Media uploaden"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload een bestand of selecteer er één vanuit je mediabibliotheek."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload een favicon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload een afbeelding of kies er een uit je slide bibliotheek om er je site-logo van te maken"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Uploaden mislukt"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Gebruik huidige locatie"; +/* No comment provided by engineer. */ +"Use URL" = "Gebruik URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Gebruik blok-editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Gebruik de klassieke WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Gebruik deze link om je teamleden aan boord te krijgen zonder ze een voor een uit te nodigen. Iedereen die deze URL bezoekt, kan zich aanmelden bij je organisatie, zelfs als ze de link van iemand anders hebben ontvangen, dus zorg ervoor dat je deze deelt met vertrouwde mensen."; /* No comment provided by engineer. */ "Use this site" = "Gebruik deze site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifieer je e-mailadres - instructies verzonden aan %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse tekst"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versie"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Versie %@ is beschikbaar"; +/* No comment provided by engineer. */ +"Vertical" = "Verticaal"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video preview niet beschikbaar"; +/* No comment provided by engineer. */ +"Video caption text" = "Video bijschrift tekst"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Onderschrift video. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Export video geannuleerd."; +/* No comment provided by engineer. */ +"Video settings" = "Video-instellingen"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Lezers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport hoogte (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Kwetsbaar thema: %1$@ (versie %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WAT deed hij, de grote god Pan,\nBeneden in het riet bij de rivier?\nHet verspreiden van ruïne en verstrooiingsverbod,\nSpetteren en peddelen met hoeven van een geit,\nEn het breken van de gouden lelies drijvend\n Met de drakenvlieg op de rivier."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welkom bij de Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welkom in de wondere wereld van blokken..."; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welkom bij de wereld's meest populaire sitebouwer."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Oeps, dat is geen geldige twee-factor verificatiecode. Controleer de code en probeer nogmaals."; +/* No comment provided by engineer. */ +"Wide Line" = "Brede lijn"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Breedte in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Zal niet publiekelijk getoond worden."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Met deze krachtige editor kun je onderweg publiceren."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Houtlijster zingt in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress app-instellingen"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Schrijf een reactie..."; +/* No comment provided by engineer. */ +"Write code…" = "Schrijf code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Schrijf bestandsnaam..."; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Schrijf een galerij bijschrift..."; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Schrijf voorgeformatteerde tekst..."; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Schrijf hier een shortcode..."; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Schrijf slogan voor site..."; + +/* No comment provided by engineer. */ +"Write site title…" = "Schrijf sitetitel..."; + +/* No comment provided by engineer. */ +"Write title…" = "Schrijf titel..."; + +/* No comment provided by engineer. */ +"Write verse…" = "Schrijf een vers..."; + /* Title for the writing section in site settings screen */ "Writing" = "Schrijven"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Je site-adres verschijnt in de balk boven aan het scherm wanneer je je site bezoekt in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Je site biedt geen ondersteuning voor het \"%s\" blok. Je kunt dit blok laten staan of het helemaal verwijderen."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Je site biedt geen ondersteuning voor het \"%s\" blok. Je kunt dit blok laten staan, de inhoud converteren naar een Aangepast HTML-blok of het helemaal verwijderen."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Je site biedt geen ondersteuning voor dit blok."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Je site is gemaakt!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Je gebruikt nu de blokeditor voor nieuwe berichten. Geweldig! Als je toch liever de klassieke editor gebruikt, ga dan naar 'Mijn site' > 'Site-instellingen'."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[REACTIE]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "een uur"; +/* No comment provided by engineer. */ +"archive" = "archief"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "ongeordende lijst"; + /* Used when displaying author of a plugin. */ "by %@" = "door %@"; +/* No comment provided by engineer. */ +"cite" = "citaat"; + /* The menu item to select during a guided tour. */ "connections" = "verbindingen"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "beschrijving"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "documentoverzicht"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "dubbel tik om de eenheid te wijzigen"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "bijv. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "bijv. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "voorbeeld.nl"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "volger"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/mijn-site-adres (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "afbeelding"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "later vandaag"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "film"; + +/* No comment provided by engineer. */ +"music" = "muziek"; + +/* No comment provided by engineer. */ +"navigation" = "navigatie"; + +/* No comment provided by engineer. */ +"next page" = "volgende pagina"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "van"; +/* No comment provided by engineer. */ +"ordered list" = "Gesorteerde lijst"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "andere"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "wachtwoord"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "Telefoonnummer"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "gedicht"; + +/* No comment provided by engineer. */ +"poetry" = "poëzie"; + +/* No comment provided by engineer. */ +"post" = "bericht"; + +/* No comment provided by engineer. */ +"posts" = "berichten"; + +/* No comment provided by engineer. */ +"read more" = "lees meer"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "rij"; + +/* No comment provided by engineer. */ +"section" = "sectie"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "geluid"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitel"; + /* No comment provided by engineer. */ "summary" = "samenvatting"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Deze items worden verwijderd:"; +/* No comment provided by engineer. */ +"title" = "titel"; + /* Today */ "today" = "vandaag"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "je nieuwe domein %@ wordt ingesteld. Je site maakt salto's van opwinding!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domeinen"; diff --git a/WordPress/Resources/pl.lproj/Localizable.strings b/WordPress/Resources/pl.lproj/Localizable.strings index 876bf4dc01ed..90ba964d1bb8 100644 --- a/WordPress/Resources/pl.lproj/Localizable.strings +++ b/WordPress/Resources/pl.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Informacje"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Authors"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Block Quote"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategoria"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Brakuje nazwy kategorii."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Description"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Display Name"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Zakończono"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Zakończono"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Wschód"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edytuj wpis"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Wiadomość e-mail została wysłana!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Pusty adres URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "First Name"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Forward"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Free"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Getting account information"; /* Cancel */ "Give Up" = "Give Up"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Pomoc"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "I Like It"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Natychmiast"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Błędny login lub hasło. Spróbuj ponownie."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "Poziomo"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Duży"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Dowiedz się więcej"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link To"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Ładowanie..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Lokalny"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Months"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Potrzebujesz wsparcia?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Nie"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "No recent posts"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Strona"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Kategoria nadrzędna"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popularne języki"; +/* No comment provided by engineer. */ +"Portrait" = "Pionowo"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format wpisu"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Post moved to trash."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Wpisy"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekty"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publiczny"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Zakupy"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Zmień wielkość lub przytnij"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Show Related Posts"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Size"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Sorry, that username already exists!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; +"Sorry, that username is unavailable." = "Sorry, that username is unavailable."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sort By"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Source Code"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Południe"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Support"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Text Only"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognize the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Tytuł"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Wymagane jest nadanie kategorii nazwy."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; /* Filters Unread Notifications */ "Unread" = "Nieprzeczytane"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Nie zostanie publicznie wyświetlony."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Write a reply…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Pisanie"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "later today"; +/* No comment provided by engineer. */ +"link" = "odnośnik"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "lista uporządkowana"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "today"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/pt-BR.lproj/Localizable.strings b/WordPress/Resources/pt-BR.lproj/Localizable.strings index ca7079236d89..048593f976af 100644 --- a/WordPress/Resources/pt-BR.lproj/Localizable.strings +++ b/WordPress/Resources/pt-BR.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-05 19:57:08+0000 */ +/* Translation-Revision-Date: 2021-05-06 20:58:40+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: pt_BR */ @@ -10,7 +10,7 @@ "\nTo confirm, please re-enter your site's address before deleting.\n\n" = "\nPara confirmar, digite o endereço do site novamente antes de excluí-lo.\n"; /* No comment provided by engineer. */ -" audio file" = " audio file"; +" audio file" = " arquivo de áudio"; /* Title for the lazy load images setting */ "\"Lazy-load\" images" = "Carregamento assíncrono de imagens"; @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d posts não visualizados"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d de %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ -"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s é %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -164,7 +164,7 @@ "%d posts" = "%d posts"; /* Message for a notice informing the user their scan completed and %d threats were found */ -"%d potential threats found" = "%d potential threats found"; +"%d potential threats found" = "%d potenciais ameaças foram encontradas"; /* Age between dates over one year. */ "%d years" = "%d anos"; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li palavras, %2$li caracteres"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "Opções do bloco %s"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloco %s. Vazio."; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloco %s. Este bloco tem conteúdo inválido."; +/* translators: %s: Number of comments */ +"%s comment" = "%s comentário"; + +/* translators: %s: name of the social service. */ +"%s label" = "Rótulo de %s"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' não é totalmente suportado"; @@ -217,10 +220,10 @@ "(no title)" = "(sem título)"; /* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ -"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; +"*Johann Brandt* responded to your post" = "*Johann Brandt* respondeu à sua publicação"; /* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ -"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; +"*Madison Ruiz* liked your post" = "*Madison Ruiz* curtiu sua publicação"; /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Adicionar novo menu"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Linha de endereço %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Selecione -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Um \"bloco\" é um termo abstrato\n\/\/ para descrever estas unidades de marcação\n\/\/ quando somados, formam o conteúdo\n\/\/ ou layout da página.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 rascunho de post enviado"; @@ -247,40 +257,109 @@ "1 post, 1 file not uploaded" = "1 post, 1 arquivo não enviado"; /* Message for a notice informing the user their scan completed and 1 threat was found */ -"1 potential threat found" = "1 potential threat found"; +"1 potential threat found" = "Uma potencial ameaça foi encontrada"; + +/* No comment provided by engineer. */ +"100" = "100"; /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "menos de 1 hora"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Um botão \"mais\" contém uma lista suspensa que mostra botões de compartilhamento"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Uma imagem destacada está configurada. Toque para alterá-la."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "Um link para uma categoria."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Um link para uma página."; + +/* No comment provided by engineer. */ +"A link to a post." = "Um link para um post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Um link para uma tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Uma lista de sites dessa conta."; /* Story Intro welcome title */ -"A new way to create and publish engaging content on your site." = "A new way to create and publish engaging content on your site."; +"A new way to create and publish engaging content on your site." = "Uma nova maneira de criar e publicar conteúdos atraentes em seu site."; /* A VoiceOver hint to explain what the user gets when they select the 'Customize Your Site' button. */ "A series of steps showing you how to add a theme, site icon and more." = "Uma lista de passos ensinando a adicionar um tema, ícone do site e muito mais."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Uma lista de passos para ajudar a aumentar a audiência de seu site."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Uma tag com nome '%@' já existe."; @@ -304,7 +386,7 @@ "ACTIVE" = "ATIVO"; /* No comment provided by engineer. */ -"ADD AUDIO" = "ADD AUDIO"; +"ADD AUDIO" = "ADICIONAR ÁUDIO"; /* No comment provided by engineer. */ "ADD BLOCK HERE" = "ADICIONAR BLOCO AQUI"; @@ -321,11 +403,12 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Endereço"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Sobre"; /* Link to About screen for Jetpack for iOS */ -"About Jetpack for iOS" = "About Jetpack for iOS"; +"About Jetpack for iOS" = "Sobre o Jetpack para iOS"; /* My Profile 'About me' label */ "About Me" = "Sobre mim"; @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Adicionar novo cartão de estatísticas"; +/* No comment provided by engineer. */ +"Add Template" = "Adicionar modelo"; + /* No comment provided by engineer. */ "Add To Beginning" = "Adicionar no início"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Adicionar um tópico"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Adicione uma URL de CSS personalizada aqui para ser carregada no Leitor. Se você estiver rodando o Calypso localmente, pode ser algo como: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Adicionar um site auto-hospedado"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Adicionar texto alternativo"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Adicionar novo tópico"; +/* No comment provided by engineer. */ +"Add caption" = "Adicione uma legenda"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Adicionar citação"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Adicionar uma imagem ou avatar para representar essa nova conta."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Adicionar bloco de parágrafo"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Adicionar citação"; + /* Add self-hosted site button */ "Add self-hosted site" = "Adicionar site auto-hospedado"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Adicionar tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Adicionar texto..."; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Adicionar o autor desse post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Adicionar a data desse post."; + /* No comment provided by engineer. */ "Add this email link" = "Adicionar este e-mail como link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Adicionar este telefone como link"; +/* No comment provided by engineer. */ +"Add tracks" = "Adicionar faixas"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Adicionar espaço vazio entre blocos e personalizar sua altura."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adicionando recursos ao site"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Álbuns"; +/* No comment provided by engineer. */ +"Align column center" = "Alinhar coluna ao centro"; + +/* No comment provided by engineer. */ +"Align column left" = "Alinhar coluna à esquerda"; + +/* No comment provided by engineer. */ +"Align column right" = "Alinhar coluna à direita"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alinhamento"; @@ -559,7 +699,7 @@ "Allow WordPress.com login" = "Permitir login com WordPress.com"; /* Message on camera permissions screen to explain why the app needs camera and microphone permissions */ -"Allow access so you can start taking photos and videos." = "Allow access so you can start taking photos and videos."; +"Allow access so you can start taking photos and videos." = "Permitir acesso para começar a salvar fotos e vídeos."; /* A short description of the comment like sharing setting. */ "Allow all comments to be Liked by you and your readers" = "Permitir que seus visitantes curtam todos os comentários"; @@ -579,7 +719,7 @@ "Allowlisted IP Addresses" = "Allowlisted IP Addresses"; /* Jetpack Settings: Allowlisted IP addresses */ -"Allowlisted IP addresses" = "Allowlisted IP addresses"; +"Allowlisted IP addresses" = "Endereços IP permitidos"; /* Instructions for users with two-factor authentication enabled. */ "Almost there! Please enter the verification code from your authenticator app." = "Quase pronto! Informe o código de verificação do seu aplicativo de autenticação."; @@ -614,7 +754,7 @@ "An active internet connection is required to view stats" = "Uma conexão com a Internet ativa é necessária para exibir as estatísticas"; /* Error message shown when trying to view the Scan History feature and there is no internet connection. */ -"An active internet connection is required to view the history" = "An active internet connection is required to view the history"; +"An active internet connection is required to view the history" = "É necessária uma conexão à internet para ver o histórico"; /* An error description explaining that a Menu could not be created. */ "An error occurred creating the Menu." = "Ocorreu um erro ao criar o menu."; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ocorreu um erro."; +/* No comment provided by engineer. */ +"An example title" = "Um título de exemplo"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ocorreu um erro desconhecido. Tente novamente."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprova o comentário."; +/* No comment provided by engineer. */ +"Archive Title" = "Título do arquivo"; + +/* No comment provided by engineer. */ +"Archive title" = "Título do arquivo"; + +/* No comment provided by engineer. */ +"Archives settings" = "Configurações dos arquivos"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Tem certeza que deseja cancelar ou descartar as alterações?"; @@ -758,23 +910,38 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Tem certeza de que deseja atualizar?"; +/* No comment provided by engineer. */ +"Area" = "Área"; + /* An example tag used in the login prologue screens. */ -"Art" = "Art"; +"Art" = "Arte"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "A partir de 1º de agosto de 2018, o Facebook não permite mais o compartilhamento direto de posts em perfis do Facebook. As conexões para as páginas do Facebook permanecem inalteradas."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Proporção"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Anexar arquivo como link"; /* No comment provided by engineer. */ -"Audio Player" = "Audio Player"; +"Attachment page" = "Página de anexo"; + +/* No comment provided by engineer. */ +"Audio Player" = "Reprodutor de áudio"; + +/* No comment provided by engineer. */ +"Audio caption text" = "Texto da legenda de áudio"; /* translators: accessibility text. %s: Audio caption. */ -"Audio caption. %s" = "Audio caption. %s"; +"Audio caption. %s" = "Legenda do áudio. %s"; /* translators: accessibility text. Empty Audio caption. */ -"Audio caption. Empty" = "Audio caption. Empty"; +"Audio caption. Empty" = "Legenda do áudio. Vazia"; + +/* No comment provided by engineer. */ +"Audio settings" = "Configurações de áudio"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Áudio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autores"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Gerenciado automaticamente"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Compartilhe automaticamente novos posts em suas redes sociais."; +/* No comment provided by engineer. */ +"Autoplay" = "Reprodução automática"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Atualizações automáticas"; @@ -850,7 +1023,7 @@ "Back" = "Voltar"; /* Title of the cell displaying status of a backup in progress */ -"Backing up site" = "Backing up site"; +"Backing up site" = "Fazendo backup do site"; /* Noun. Links to a blog's Jetpack Backups screen. Title for Jetpack Backup Complete screen @@ -904,39 +1077,27 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Bloco de citação"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Bloco copiado"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Bloco recortado"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Bloco duplicado"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "O bloco não pode ser renderizado dentro de si mesmo."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "O editor de blocos está ativado"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "O bloco foi excluído ou está indisponível."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquear tentativas maliciosas de acesso"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Bloco colado"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Bloco removido"; - -/* No comment provided by engineer. */ -"Block settings" = "Configurações do bloco"; - /* The title of a button that triggers blocking a site from the user's reader. */ -"Block this site" = "Block this site"; +"Block this site" = "Bloquear este site"; /* Notice title when blocking a site succeeds. */ -"Blocked site" = "Blocked site"; +"Blocked site" = "Site bloqueado"; /* Blocklist Title Settings: Comments Blocklist */ -"Blocklist" = "Blocklist"; +"Blocklist" = "Lista de bloqueios"; /* Opens the WordPress Mobile Blog */ "Blog" = "Blog"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Leitores do blog"; +/* No comment provided by engineer. */ +"Body cell text" = "Texto da célula do corpo"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Negrito"; +/* No comment provided by engineer. */ +"Border" = "Borda"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Dividir threads de comentários em várias páginas."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Procurar em todos os nossos temas para encontrar um perfeito para você."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Padrão do navegador"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Proteção contra ataques por força bruta"; @@ -980,7 +1159,10 @@ "Button Style" = "Estilo do botão"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Botões exibidos em uma coluna."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Botões exibidos em uma linha."; /* Label for the post author in the post detail. */ "By " = "Por"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculando..."; +/* No comment provided by engineer. */ +"Call to Action" = "Chamada para ação"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Câmera"; @@ -1088,7 +1273,7 @@ "Cancel media uploads" = "Cancelar upload de mídias"; /* No comment provided by engineer. */ -"Cancel search" = "Cancel search"; +"Cancel search" = "Cancelar pesquisa"; /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Cancelar compartilhamento"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Legenda"; +/* No comment provided by engineer. */ +"Captions" = "Legendas"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Cuidado!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; +/* No comment provided by engineer. */ +"Category Link" = "Link da categoria"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta o título da categoria."; @@ -1127,12 +1318,15 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Erro do certificado"; +/* No comment provided by engineer. */ +"Change Date" = "Alterar a data"; + /* Account Settings Change password label Main title */ -"Change Password" = "Mudar senha"; +"Change Password" = "Alterar senha"; /* Title of an alert prompting the user that they are about to change the blog they are posting to. */ -"Change Site" = "Mudar site"; +"Change Site" = "Trocar de site"; /* Change site icon button */ "Change Site Icon" = "Alterar ícone do site"; @@ -1144,11 +1338,17 @@ "Change Visibility" = "Alterar visibilidade"; /* No comment provided by engineer. */ -"Change block position" = "Change block position"; +"Change block position" = "Alterar posição do bloco"; + +/* No comment provided by engineer. */ +"Change column alignment" = "Alterar alinhamento da coluna"; /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Falha na alteração"; +/* No comment provided by engineer. */ +"Change heading level" = "Alterar o nível do título"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Alterar o tipo de dispositivo usado para visualizar"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Alterando nome de usuário"; +/* No comment provided by engineer. */ +"Chapters" = "Capítulos"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Erro na verificação de compras"; @@ -1209,7 +1412,7 @@ "Choose" = "Escolher"; /* Title for selecting a new homepage */ -"Choose Homepage" = "Choose Homepage"; +"Choose Homepage" = "Escolher página inicial"; /* Title for settings section which allows user to select their home page and posts page */ "Choose Pages" = "Escolher páginas"; @@ -1230,7 +1433,7 @@ "Choose a domain" = "Escolha um domínio"; /* OK Button title shown in alert informing users about the Reader Save for Later feature. */ -"Choose a new app icon" = "Choose a new app icon"; +"Choose a new app icon" = "Escolher um novo ícone para o aplicativo"; /* Title of a Quick Start Tour */ "Choose a theme" = "Escolha um tema"; @@ -1239,7 +1442,7 @@ "Choose a time" = "Escolha um horário"; /* No comment provided by engineer. */ -"Choose audio" = "Choose audio"; +"Choose audio" = "Escolher áudio"; /* Title to choose date range in a calendar */ "Choose date range" = "Escolher um intervalo de datas"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Escolha o domínio"; +/* No comment provided by engineer. */ +"Choose existing" = "Escolher existente"; + /* No comment provided by engineer. */ "Choose file" = "Escolher arquivo"; @@ -1281,7 +1487,7 @@ "Choose video" = "Escolher vídeo"; /* Reader select interests subtitle label text */ -"Choose your topics" = "Choose your topics"; +"Choose your topics" = "Escolha seus tópicos"; /* And alert message warning the user they will loose blog specific edits like categories, and media if they change the blog being posted to. */ "Choosing a different site will lose edits to site specific content like media and categories. Are you sure?" = "A escolha de um site diferente cancelará as edições do conteúdo específico do site, como mídia e categorias. Tem certeza?"; @@ -1308,7 +1514,10 @@ "Clear all old activity logs?" = "Limpar resumos de atividades antigos?"; /* No comment provided by engineer. */ -"Clear search" = "Clear search"; +"Clear customizations" = "Liberar personalizações"; + +/* No comment provided by engineer. */ +"Clear search" = "Limpar pesquisa"; /* Title of a button. */ "Clear search history" = "Limpar histórico de pesquisas"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Encerrar comentários"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Fechar barra lateral de estilos globais"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Fechar barra lateral de visualização em lista"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Fechar barra lateral de configurações"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Fechar a tela Eu"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Código"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Código é poesia"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Recolhido, %i tarefas completadas. Expandir a lista dessas tarefas."; @@ -1359,7 +1580,22 @@ "Collect information" = "Coletar informação"; /* Title displayed for selection of custom app icons that have colorful backgrounds. */ -"Colorful backgrounds" = "Colorful backgrounds"; +"Colorful backgrounds" = "Fundos coloridos"; + +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Texto da coluna %d"; + +/* No comment provided by engineer. */ +"Column count" = "Quantidade de colunas"; + +/* No comment provided by engineer. */ +"Column settings" = "Configurações de colunas"; + +/* No comment provided by engineer. */ +"Columns" = "Colunas"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combinar blocos em um grupo."; /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine fotos, vídeos e texto para criar stories clicáveis e com alto engajamento que seus visitantes vão adorar."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Conexões"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contato"; + /* Support email label. */ "Contact Email" = "E-mail de contato"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contate o suporte"; +/* No comment provided by engineer. */ +"Contact us" = "Entre em contato"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Entre em contato em %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Estrutura do conteúdo\nBlocos: %1$li, Palavras: %2$li, Caracteres: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "O conteúdo antes deste bloco será mostrado no resumo na sua página de arquivos."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continuar"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continuar com WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continuar trabalhando"; @@ -1586,8 +1834,20 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Prosseguindo with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Converter para blocos"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Converter para lista ordenada"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Converter para lista não ordenada"; + /* An example tag used in the login prologue screens. */ -"Cooking" = "Cooking"; +"Cooking" = "Culinária"; + +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copiar URL para área de transferência."; /* No comment provided by engineer. */ "Copied block" = "Bloco copiado"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copiar link para o comentário"; /* No comment provided by engineer. */ -"Copy block" = "Copiar bloco"; +"Copy URL" = "Copiar URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copiar URL do arquivo"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Não foi possível verificar as compras do site."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Não foi possível editar a imagem. %s"; + /* Title of a prompt. */ "Could not follow site" = "Não foi possível seguir o site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Criar um post de Story"; +/* No comment provided by engineer. */ +"Create Table" = "Criar tabela"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Criar site no WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Criar uma tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Criar uma lista com marcadores ou numerada."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Criar um novo site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Crie um novo site para o seu negócio, revista ou blog pessoal ou conecte uma instalação WordPress já existente."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Crie uma nova parte de modelo ou escolha uma existente na lista."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Criar um post ou página"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Criar um post, página ou story"; +/* No comment provided by engineer. */ +"Create a template part" = "Criar uma parte de modelo"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1778,7 +2059,7 @@ "Creating dashboard" = "Criando o painel"; /* Description of the cell displaying status of a backup in progress */ -"Creating downloadable backup" = "Creating downloadable backup"; +"Creating downloadable backup" = "Criando um arquivo de backup para baixar"; /* No comment provided by engineer. */ "Current" = "Atual"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Link personalizado"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Mensagem personalizada…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personalize as configurações do seu site, como Curtidas, Comentários, Seguidas e muito mais."; -/* No comment provided by engineer. */ -"Cut block" = "Recortar bloco"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Escuro"; @@ -1852,7 +2133,7 @@ "Database %1$d threats" = "Database %1$d threats"; /* Title for a threat */ -"Database threat" = "Database threat"; +"Database threat" = "Ameaça no banco de dados"; /* Blog Writing Settings: Date Format Writing Date Format Settings Title */ @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "Dezembro 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "6 de dezembro de 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Padrão"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL padrão"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Padrão com base na área (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Padrões para novos posts"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Erro de exclusão do site"; +/* No comment provided by engineer. */ +"Delete column" = "Excluir coluna"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Excluir menu"; +/* No comment provided by engineer. */ +"Delete row" = "Excluir linha"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Excluir esta tag"; @@ -1957,24 +2250,30 @@ Title of section that contains plugins' description */ "Description" = "Descrição"; +/* No comment provided by engineer. */ +"Descriptions" = "Descrições"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Computadores e telas maiores"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Desanexar blocos da parte de modelo"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalhes"; /* Instructions after a Magic Link was sent, but email is incorrect. */ -"Didn't mean to create a new account? Go back to re-enter your email address." = "Didn't mean to create a new account? Go back to re-enter your email address."; +"Didn't mean to create a new account? Go back to re-enter your email address." = "Não queria criar uma conta nova? Volte para redigitar seu endereço de e-mail."; /* Label for the dimensions in pixels for a media asset (image / video) */ "Dimensions" = "Dimensões"; /* Title. Title of a button that will disable group invite links when tapped. */ -"Disable" = "Disable"; +"Disable" = "Desativar"; /* Title. A call to action to disable invite links. Title. Title of a prompt to disable group invite links. */ @@ -2020,7 +2319,7 @@ "Discover and follow blogs you love" = "Descubra e siga blogs que você ama"; /* Button title. Tapping shows the Follow Topics screen. */ -"Discover more topics" = "Discover more topics"; +"Discover more topics" = "Descobrir mais tópicos"; /* Label for selecting the Blog Discussion Settings section Title for the Discussion Settings Screen */ @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nome de exibição"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Mostrar as estatísticas do seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Exibir um widget antigo."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Exiba as estatísticas da semana de seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Exibir uma lista de todas as categorias."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Mostrar as estatísticas de hoje de seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Exibir uma lista de todas as páginas."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Documento: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Exibir uma lista dos seus comentários mais recentes."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Informações de contato do domínio"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Donos de domínios precisam compartilhar as informações de contato em um banco de dados público para todos os domínios. Com a proteção de privacidade, nós publicaremos nossos próprios dados ao invés dos seus e encaminharemos qualquer comunicação para você de forma privada."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Exibir uma lista dos posts mais recentes."; -/* Title for the Domains list */ -"Domains" = "Domínios"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Exibir um arquivo mensal de seus posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Exibir as categorias de um post."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Feito"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Exibir a contagem de comentários de um post."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Não se preocupe"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Exibir o formulário de comentários de um post."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Exibir os comentários de um post."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Exibir o resumo de um post."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Exibir a imagem destacada de um post."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Exibir as tags de um post."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Exibir ícone com link para sua rede sociail ou site."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Exibir como lista suspensa"; + +/* No comment provided by engineer. */ +"Display author" = "Exibir autor"; + +/* No comment provided by engineer. */ +"Display avatar" = "Exibir avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Exibir trechos de código respeitando seu espaçamento e tabulação."; + +/* No comment provided by engineer. */ +"Display date" = "Exibir data"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Exibir posts a partir de qualquer feed RSS ou Atom."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Exibir resumo"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Exibir ícones com links para suas redes sociais ou sites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Exibir acessar como um formulário"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Exibir múltiplas imagens em uma bonita galeria."; + +/* No comment provided by engineer. */ +"Display post date" = "Exibir a data do post"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Exibir o título do arquivo com base no objeto consultado."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Exibir a descrição das categorias, tags e taxonomias personalizadas ao ver um arquivo."; + +/* No comment provided by engineer. */ +"Display the query title." = "Exibir o título da consulta."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Exibir o título como um link."; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Mostrar as estatísticas do seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Exiba as estatísticas da semana de seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Mostrar as estatísticas de hoje de seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Exibe uma lista de números de páginas para paginação."; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Exibe uma lista de posts resultantes de uma consulta."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Exibe o conteúdo de um post ou página."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Exibe o link dos comentários do post atual."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Exibe o link do post anterior ou próximo em relação ao post atual."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Exibe o link da próxima página de posts."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Exibe o link do post posterior ao post atual."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Exibe o link do post anterior ao post atual."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Exibe o link da página de posts anterior."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Exibe o título do post, página ou outro tipo de conteúdo."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Documento: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Informações de contato do domínio"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Donos de domínios precisam compartilhar as informações de contato em um banco de dados público para todos os domínios. Com a proteção de privacidade, nós publicaremos nossos próprios dados ao invés dos seus e encaminharemos qualquer comunicação para você de forma privada."; + +/* Title for the Domains list */ +"Domains" = "Domínios"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Feito"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Não se preocupe"; + +/* No comment provided by engineer. */ +"Dots" = "Pontos"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Toque duas vezes e segure para mover este item para cima ou para baixo"; @@ -2116,7 +2544,7 @@ "Double tap to go to color settings" = "Toque duas vezes para ir para as configurações de cor"; /* No comment provided by engineer. */ -"Double tap to listen the audio file" = "Double tap to listen the audio file"; +"Double tap to listen the audio file" = "Toque duas vezes para ouvir o arquivo de áudio"; /* No comment provided by engineer. */ "Double tap to move the block down" = "Toque duas vezes para mover o bloco para baixo"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Toque duas vezes para abrir a janela de ações com as opções disponíveis"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Toque duas vezes para abrir a janela inferior com as opções disponíveis"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Toque duas vezes para refazer a última alteração"; @@ -2152,7 +2574,7 @@ "Double tap to select a video" = "Toque duas vezes para selecionar um vídeo"; /* No comment provided by engineer. */ -"Double tap to select an audio file" = "Double tap to select an audio file"; +"Double tap to select an audio file" = "Toque duas vezes para selecionar um arquivo de áudio"; /* No comment provided by engineer. */ "Double tap to select an image" = "Toque duas vezes para selecionar uma imagem"; @@ -2167,17 +2589,26 @@ "Double tap to undo last change" = "Toque duas vezes para desfazer a última alteração"; /* Download button title */ -"Download" = "Download"; +"Download" = "Baixar"; /* Title for the Jetpack Download Backup Site Screen */ "Download Backup" = "Fazer download do backup"; /* Title displayed for download backup action. Title for button allowing user to backup their Jetpack site */ -"Download backup" = "Download backup"; +"Download backup" = "Baixar backup"; + +/* No comment provided by engineer. */ +"Download button settings" = "Configurações do botão de download"; + +/* No comment provided by engineer. */ +"Download button text" = "Texto do botão de download"; /* Title for the button that will download the backup file. */ -"Download file" = "Download file"; +"Download file" = "Baixar arquivo"; + +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Baixar os seus modelos e as respectivas partes."; /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Rascunhos"; +/* No comment provided by engineer. */ +"Drop cap" = "Letra capitular"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicar"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicar bloco"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURA)\nJanela, muito pequena à distância, iluminada.\nTudo ao redor esta é uma tela quase totalmente preta. Agora, a câmera se move lentamente em direção à janela que é quase um selo postal no quadro, aparecem outras formas;"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Leste"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Editar bloco %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Editar %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,11 +2671,23 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editar post"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Editar URL do RSS"; + +/* No comment provided by engineer. */ +"Edit URL" = "Editar URL"; + /* No comment provided by engineer. */ "Edit file" = "Editar arquivo"; /* No comment provided by engineer. */ -"Edit focal point" = "Edit focal point"; +"Edit focal point" = "Editar ponto focal"; + +/* No comment provided by engineer. */ +"Edit gallery image" = "Editar galeria de imagem"; + +/* No comment provided by engineer. */ +"Edit image" = "Editar imagem"; /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Editar novos posts e páginas com o editor de blocos."; @@ -2246,9 +2695,15 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editar botões de compartilhamento"; +/* No comment provided by engineer. */ +"Edit table" = "Editar tabela"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Editar faixa"; + /* No comment provided by engineer. */ "Edit using web editor" = "Editar usando o editor web"; @@ -2300,11 +2755,128 @@ /* A placeholder for the username textfield. Invite Username Placeholder */ -"Email or Username…" = "Email or Username…"; +"Email or Username…" = "E-mail ou nome de usuário..."; /* Overlay message displayed when export content started */ "Email sent!" = "E-mail enviado!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Incorporar conteúdo do Amazon Kindle."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Incorporar conteúdo do Cloudup."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Incorporar conteúdo do CollegeHumor."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Incorporar conteúdo do Crowdsignal (anteriormente conhecido como Polldaddy)."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Incorporar conteúdo do Flickr."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Incorporar conteúdo do Imgur."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Incorporar conteúdo do Issuu."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Incorporar conteúdo do Kickstarter."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Incorporar conteúdo do Meetup.com."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Incorporar conteúdo do Mixcloud."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Incorporar conteúdo do ReverbNation."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Incorporar conteúdo do Screencast."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Incorporar conteúdo do Scribd."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Incorporar conteúdo do Slideshare."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Incorporar conteúdo do SmugMug."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Incorporar conteúdo do SoundCloud."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Incorporar conteúdo Speaker Deck."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Incorporar conteúdo do Spotify."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Incorporar um vídeo do Dailymotion."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Incorporar um post do Facebook."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Incorporar uma discussão do Reddit."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Incorporar um vídeo do TED."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Incorporar um vídeo do TikTok."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Incorporar um post do Tumblr."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Incorporar um vídeo do VideoPress."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Incorporar um vídeo do Vimeo."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Incorporar um post do WordPress."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Incorporar um vídeo do WordPress.tv."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Incorporar um vídeo do YouTube."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Incorporar um reprodutor simples de áudio."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Incorporar um tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Incorporar um vídeo da sua biblioteca de mídias ou enviar um novo."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Incorporar um vídeo do Animoto."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Incorporar um post do Instagram."; + +/* translators: %s: filename. */ +"Embed of %s." = "Incorporado de %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Conteúdo incorporado de %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "O conteúdo incorporado de %s não pode ser visualizado no editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Incorporando..."; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vazio"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vazia"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Bloco vazio; comece a escrever ou digite \/ para escolher um bloco"; + /* Button title for the enable site notifications action. */ "Enable" = "Ativar"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Data final"; +/* No comment provided by engineer. */ +"English" = "Inglês"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Entrar no modo de tela cheia"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Digite o URL aqui..."; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Digite aqui o URL da mídia a ser incorporada…"; + /* Enter a custom value */ "Enter a custom value" = "Digite um valor personalizado"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Digite uma senha para proteger esse post"; +/* No comment provided by engineer. */ +"Enter address" = "Digite o endereço"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Digite palavras diferentes das acima e tentaremos encontrar um endereço relacionado a elas."; @@ -2379,7 +2966,13 @@ "Enter your password instead." = "Digitar sua senha."; /* Error message displayed when restoring a site fails due to credentials not being configured. */ -"Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +"Enter your server credentials to enable one click site restores from backups." = "Digite as credenciais do seu servidor para ativar a restauração de sites em um clique através de backups."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Digite as credenciais de seu servidor para corrigir a ameaça."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Digite as credenciais de seu servidor para corrigir ameaças."; /* Generic error alert title Generic error. @@ -2415,10 +3008,10 @@ "Error enabling autoupdates for %@." = "Erro ao habilitar atualizações automáticas para %@."; /* Error displayed when fixing a threat fails. */ -"Error fixing threat. Please contact our support." = "Error fixing threat. Please contact our support."; +"Error fixing threat. Please contact our support." = "Erro ao corrigir a ameaça. Entre em contato com o suporte."; /* Error displayed when ignoring a threat fails. */ -"Error ignoring threat. Please contact our support." = "Error ignoring threat. Please contact our support."; +"Error ignoring threat. Please contact our support." = "Erro ao ignorar a ameaça. Entre em contato com o suporte."; /* Notice displayed after attempt to install a plugin fails. */ "Error installing %@." = "Erro ao instalar %@."; @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Erro ao atualizar as configurações de melhoria de velocidade do site"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Evento"; @@ -2518,7 +3114,7 @@ "Expands to select a different menu area" = "Expande para selecionar uma área de menu diferente"; /* Title. Indicates an expiration date. */ -"Expires on" = "Expires on"; +"Expires on" = "Expira em"; /* Placeholder text for the tagline of a site */ "Explain what this site is about." = "Explique sobre o que é este site;"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore os planos"; +/* No comment provided by engineer. */ +"Export" = "Exportar"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportar conteúdo"; @@ -2553,13 +3152,13 @@ "Failed Media Export" = "Failed Media Export"; /* No comment provided by engineer. */ -"Failed to insert audio file." = "Failed to insert audio file."; +"Failed to insert audio file." = "Não foi possível inserir o arquivo de áudio."; /* No comment provided by engineer. */ -"Failed to insert audio file. Please tap for options." = "Failed to insert audio file. Please tap for options."; +"Failed to insert audio file. Please tap for options." = "Falha ao inserir arquivo de áudio. Toque para opções."; /* No comment provided by engineer. */ -"Failed to insert media." = "Failed to insert media."; +"Failed to insert media." = "Não foi possível inserir a mídia."; /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Falha ao inserir mídia.\n Toque para opções."; @@ -2574,7 +3173,7 @@ "Failed to serialize request to the REST API." = "Ocorreu um erro durante a solicitação da REST API."; /* The app failed to unsubscribe from the comments for the post */ -"Failed to unfollow conversation" = "Failed to unfollow conversation"; +"Failed to unfollow conversation" = "Falha ao deixar de seguir a conversa"; /* No comment provided by engineer. */ "Failed to upload files.\nPlease tap for options." = "Falha ao enviar arquivos.\nToque para ver mais opções."; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "A Imagem de destaque não carregou"; +/* No comment provided by engineer. */ +"February 21, 2019" = "21 de fevereiro de 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Obtendo temas…"; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo de arquivo"; +/* No comment provided by engineer. */ +"Fill" = "Preencher"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Preencher com gerenciador de senhas"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Nome"; +/* No comment provided by engineer. */ +"Five." = "Cinco."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Corrigir tudo"; @@ -2672,13 +3280,16 @@ "Fix all threats" = "Fix all threats"; /* Title for button that will fix the threat */ -"Fix threat" = "Fix threat"; +"Fix threat" = "Corrigir ameaça"; /* Displays the fixed threats */ -"Fixed" = "Fixed"; +"Fixed" = "Corrigido"; + +/* No comment provided by engineer. */ +"Fixed width table cells" = "Células da tabela com largura fixa"; /* Subtitle displayed while the server is fixing threats */ -"Fixing Threats" = "Fixing Threats"; +"Fixing Threats" = "Corrigindo ameaças"; /* Prompt to follow a blog. Verb. Button title. Follow a new blog. */ @@ -2691,14 +3302,14 @@ "Follow other sites" = "Siga outros sites"; /* Verb. An option to follow a site. */ -"Follow site" = "Follow site"; +"Follow site" = "Seguir site"; /* Screen title. Reader select interests title label text. */ -"Follow topics" = "Follow topics"; +"Follow topics" = "Seguir tópicos"; /* Caption displayed in promotional screens shown during the login flow. Shown in the prologue carousel (promotional screens) during first launch. */ -"Follow your favorite sites and discover new blogs." = "Follow your favorite sites and discover new blogs."; +"Follow your favorite sites and discover new blogs." = "Siga seus sites favoritos e descubra novos blogs."; /* Displayed in the Notification Settings View Followed Sites Title @@ -2730,13 +3341,13 @@ "Following" = "Seguindo"; /* Notice title when following a site succeeds. %1$@ is a placeholder for the site name. */ -"Following %1$@" = "Following %1$@"; +"Following %1$@" = "Seguindo %1$@"; /* Verb. Button title. The user is following the comments on a post. */ "Following conversation by email" = "Following conversation by email"; /* Label displayed to the user while loading their selected interests */ -"Following new topics..." = "Following new topics..."; +"Following new topics..." = "Seguindo novos tópicos..."; /* Filters Follows Notifications */ "Follows" = "Seguidos"; @@ -2754,14 +3365,32 @@ "Follows the tag." = "Segue a tag."; /* An example tag used in the login prologue screens. */ -"Football" = "Football"; +"Football" = "Futebol"; + +/* No comment provided by engineer. */ +"Footer cell text" = "Texto da célula do rodapé"; + +/* No comment provided by engineer. */ +"Footer label" = "Rótulo do rodapé"; + +/* No comment provided by engineer. */ +"Footer section" = "Seção do rodapé"; + +/* No comment provided by engineer. */ +"Footers" = "Rodapés"; /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Para agilizar o processo, nós preenchemos com suas informações de contato do WordPress.com. Verifique os dados para ter certeza de que são os dados corretos a usar com esse domínio."; +/* No comment provided by engineer. */ +"Format settings" = "Configurações de formatação"; + /* Next web page */ "Forward" = "Encaminhar"; +/* No comment provided by engineer. */ +"Four." = "Quatro."; + /* Browse free themes selection title */ "Free" = "Gratuito"; @@ -2789,11 +3418,14 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Texto da legenda da galeria"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Legenda da galeria. %s"; /* An example tag used in the login prologue screens. */ -"Gardening" = "Gardening"; +"Gardening" = "Jardinagem"; /* Add New Stats Card category title Title for the general section in site settings screen */ @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Coloque seu site no ar"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Inspirando-se"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Obtendo informações da conta"; /* Cancel */ "Give Up" = "Desistir"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Dê ênfase visual ao texto de citação. \"Ao citarmos outros, nós nos mencionamos.\" - Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Dê uma ênfase visual especial a uma citação do seu texto."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dê um nome para seu site que reflita sua personalidade e tópicos que serão publicados. A primeira impressão conta."; +/* No comment provided by engineer. */ +"Global Styles" = "Estilos globais"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Conteúdo HTML"; +/* No comment provided by engineer. */ +"HTML element" = "Elemento HTML"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Cabeçalho 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Cabeçalho 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Texto da célula do cabeçalho"; + +/* No comment provided by engineer. */ +"Header label" = "Rótulo do cabeçalho"; + +/* No comment provided by engineer. */ +"Header section" = "Seção do cabeçalho"; + +/* No comment provided by engineer. */ +"Headers" = "Cabeçalhos"; + +/* No comment provided by engineer. */ +"Heading" = "Título"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Título %d"; + /* H1 Aztec Style */ "Heading 1" = "Cabeçalho 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Cabeçalho 6"; +/* No comment provided by engineer. */ +"Heading text" = "Texto do título"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Altura em pixels"; + /* Help button */ "Help" = "Ajuda"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Ícone de ajuda"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Ajude visitantes a encontrarem seu conteúdo."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Aqui estão os resultados do post até agora."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Ocultar teclado"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Ocultar o resumo na página com conteúdo completo"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Aguardar moderação"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Página inicial"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,18 +3693,24 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Eba!\nQuase pronto"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ -"How did Jetpack fix it?" = "How did Jetpack fix it?"; +"How did Jetpack fix it?" = "Como o Jetpack resolveu isso?"; /* How to create story description */ "How to create a story post" = "Como criar um post de story"; /* Title for the fix section in Threat Details */ -"How will we fix it?" = "How will we fix it?"; +"How will we fix it?" = "Como vamos corrigir isso?"; /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Curti"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Me inspiro muito no trabalho do fotógrafo Cameron Karsten. Vou tentar uma dessas técnicas em meu próximo"; + /* Title of a button style */ "Icon & Text" = "Ícone e texto"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Se você continuar com o Google ou Apple e ainda não tiver uma conta no WordPress.com, você criará uma conta e concordará com nossos _Termos de Serviços_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "Caso você tenha digitado um rótulo personalizado, ele será exibido antes do título."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Se remover %1$@, este usuário não poderá mais acessar este site, mas todo o conteúdo criado por %2$@ será mantido."; @@ -3056,10 +3745,10 @@ "Ignore" = "Ignorar"; /* Title for button that will ignore the threat */ -"Ignore threat" = "Ignore threat"; +"Ignore threat" = "Ignorar ameaça"; /* Displays the ignored threats */ -"Ignored" = "Ignored"; +"Ignored" = "Ignorada"; /* Hint for image alt on image settings. */ "Image Alt" = "Texto alternativo da imagem"; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Tamanho da imagem"; +/* No comment provided by engineer. */ +"Image caption text" = "Texto da legenda da imagem"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Legenda da imagem. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Configurações da imagem"; + /* Hint for image title on image settings. */ "Image title" = "Título da imagem"; +/* No comment provided by engineer. */ +"Image width" = "Largura da imagem"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagem, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Imagem, data e título"; + /* Undated post time label */ "Immediately" = "Imediatamente"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Em poucas palavras, explique sobre o que é este site."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "Em poucas palavras, sobre o que é este site."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "Em uma vila de La Mancha, cujo nome não desejo me lembrar, não demorou muito tempo para que um daqueles cavalheiros mantivesse uma lança no porta-lanças, uma fivela velha, um hack magro e um galgo para percorrer."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "Citando outros, citamos nós mesmos."; + /* Describes a status of a plugin */ "Inactive" = "Inativo"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nome de usuário ou senha incorretos. Tente digitar seus dados de login novamente."; +/* No comment provided by engineer. */ +"Indent" = "Aumentar recuo"; + +/* No comment provided by engineer. */ +"Indent list item" = "Aumentar recuo do item da lista"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserir mídia"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insira uma tabela para compartilhar dados."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insira uma tabela. Perfeito para compartilhar gráficos e dados."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Adicione elementos personalizados com um shortcode do WordPress."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insira uma imagem para ilustrar suas ideias."; + +/* No comment provided by engineer. */ +"Insert column after" = "Inserir coluna depois"; + +/* No comment provided by engineer. */ +"Insert column before" = "Inserir coluna antes"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Adicionar mídia"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Adicione uma poesia. Use um formato de espaçamento especial. Ou cite letras de músicas."; + +/* No comment provided by engineer. */ +"Insert row after" = "Inserir linha depois"; + +/* No comment provided by engineer. */ +"Insert row before" = "Inserir linha antes"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Inserir selecionada"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalar o primeiro plugin em seu site pode demorar alguns minutos. Durante esse tempo, não será possível fazer outras alterações no seu site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Apresente novas seções e organize os conteúdos para ajudar visitantes (e mecanismos de pesquisa) a entender a estrutura do seu conteúdo."; + /* Stories intro header title */ "Introducing Story Posts" = "Apresentando os posts de Story"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Itálico"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Músico\/Musicista de Jazz"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Fique atualizado sobre o desempenho de seu site."; +/* No comment provided by engineer. */ +"Kind" = "Tipo"; + /* Autoapprove only from known users */ "Known Users" = "Usuários conhecidos"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Rótulo "; +/* No comment provided by engineer. */ +"Landscape" = "Paisagem"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Idioma"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Tag de idioma (en, fr etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Resumo dos posts mais recentes"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Configurações dos comentários mais recentes"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Saiba Mais"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Saiba mais sobre formatação de datas e horas."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Saiba mais sobre mídia incorporada"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,17 +4126,26 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Widget legado"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Podemos ajudar você"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Nível %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Nível %s. Vazio."; + /* Title for the app appearance setting for light mode */ "Light" = "Claro"; /* Title displayed for selection of custom app icons that have white backgrounds. */ -"Light backgrounds" = "Light backgrounds"; +"Light backgrounds" = "Planos de fundo claros"; /* Like (verb) Like a post. @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Link para"; +/* No comment provided by engineer. */ +"Link color" = "Cor do link"; + +/* No comment provided by engineer. */ +"Link label" = "Rótulo do link"; + +/* No comment provided by engineer. */ +"Link rel" = "Atributo rel do link"; + +/* No comment provided by engineer. */ +"Link to" = "Apontar para"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Apontar para %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Apontar para conteúdo existente"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Links nos comentários"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links exibidos em uma coluna."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links exibidos em uma linha."; + +/* No comment provided by engineer. */ +"List" = "Lista"; + +/* No comment provided by engineer. */ +"List of template parts" = "Lista de partes de modelos"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Estilo da lista"; +/* No comment provided by engineer. */ +"List text" = "Texto da lista"; + /* Title of the screen that load selected the revisions. */ "Load" = "Carregar"; @@ -3449,7 +4252,7 @@ "Loading Activities..." = "Carregando atividades..."; /* Text displayed while loading the activity feed for a site */ -"Loading Backups..." = "Loading Backups..."; +"Loading Backups..." = "Carregando backups…"; /* Phrase to show when the user has searched for GIFs and they are being loaded. */ "Loading GIFs..." = "Carregando gifs..."; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Carregando..."; +/* No comment provided by engineer. */ +"Loading…" = "Carregando..."; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3528,7 +4334,7 @@ "Location unknown" = "Local desconhecido"; /* No comment provided by engineer. */ -"Lock icon" = "Lock icon"; +"Lock icon" = "Ícone de bloqueio"; /* No comment provided by engineer. */ "Log Files By Created Date" = "Arquivos de log por data de criação"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Faça login com seu nome de usuário e sua senha do WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Sair"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Fazer logout do WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Solicitação de login expirada"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Configurações para acessar e sair"; + +/* No comment provided by engineer. */ +"Logos Only" = "Apenas logos"; + /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Parece que o Jetpack está configurado em seu site. Parabéns!\nAcesse com suas credenciais WordPress.com para ativar as estatísticas e notificações."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Esqueceu sua senha?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navegação principal"; +/* No comment provided by engineer. */ +"Main color" = "Cor principal"; + +/* No comment provided by engineer. */ +"Make template part" = "Transformar em parte de modelo"; + +/* No comment provided by engineer. */ +"Make title a link" = "Transformar o título em link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3629,29 +4459,38 @@ "Mark as Sticky" = "Marcar como fixo"; /* An option to mark a post as seen. */ -"Mark as seen" = "Mark as seen"; +"Mark as seen" = "Marcar como lido"; /* VoiceOver accessibility hint, informing the user the button can be used to Mark a comment as spam. */ "Mark as spam." = "Marcar como spam."; /* An option to mark a post as unseen. */ -"Mark as unseen" = "Mark as unseen"; +"Mark as unseen" = "Marcar como não lido"; /* Notice title when updating a post's seen status succeeds. */ -"Marked post as seen" = "Marked post as seen"; +"Marked post as seen" = "Post marcado como lido"; /* Notice title when updating a post's unseen status succeeds. */ -"Marked post as unseen" = "Marked post as unseen"; +"Marked post as unseen" = "Post marcado como não lido"; /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Encontrar contas correspondentes usando o e-mail"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Tamanho máximo da imagem para upload"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Tamanho máximo do vídeo"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Número máximo de palavras no resumo"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "7 de maio de 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Área de mídia"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "A mídia não tem um arquivo associado a ser enviado."; +/* No comment provided by engineer. */ +"Media file" = "Arquivo de mídia"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "O tamanho da mídia (%1$@) é muito grande para enviar. O máximo permitido é de %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Falha ao visualizar mídia."; +/* No comment provided by engineer. */ +"Media settings" = "Configurações de mídia"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Mídias enviadas (%ld arquivos)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitorar se seu site está ativo"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "O Mont Blanc aparece, ainda, nevado e calmo."; + /* Title of Months stats filter. */ "Months" = "Meses"; @@ -3772,7 +4623,10 @@ "More from %1$@" = "More from %1$@"; /* Section title for global related posts. */ -"More on WordPress.com" = "More on WordPress.com"; +"More on WordPress.com" = "Mais no WordPress.com"; + +/* No comment provided by engineer. */ +"More tools & options" = "Mais ferramentas e opções"; /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Horário mais popular"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Mover para baixo"; +/* No comment provided by engineer. */ +"Move image backward" = "Mover imagem para trás"; + +/* No comment provided by engineer. */ +"Move image forward" = "Mover imagem para frente"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Mover o item de menu"; @@ -3824,10 +4684,10 @@ "Move to Trash" = "Mover para a lixeira"; /* No comment provided by engineer. */ -"Move to bottom" = "Move to bottom"; +"Move to bottom" = "Mover para o fim"; /* No comment provided by engineer. */ -"Move to top" = "Move to top"; +"Move to top" = "Mover para o topo"; /* Option to move Insight up in the view. */ "Move up" = "Mover para cima"; @@ -3835,8 +4695,14 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Move o comentário para a lixeira."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museus para visitar em Londres"; + /* An example tag used in the login prologue screens. */ -"Music" = "Music"; +"Music" = "Música"; + +/* No comment provided by engineer. */ +"Muted" = "Mudo"; /* Link to My Profile section My Profile view title */ @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Meus tíquetes"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "Minhas 10 cafeterias preferidas"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nome"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Ir para a personalização de gradiente"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navegação (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navegação (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Precisa de ajuda?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "Nova coluna"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Novos posts"; +/* No comment provided by engineer. */ +"New template part" = "Nova parte de modelo"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Mais recente"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Próximo"; +/* No comment provided by engineer. */ +"Next Page" = "Próxima página"; + /* Table view title for the quick start section. */ "Next Steps" = "Próximos passos"; /* Accessibility label for the next notification button */ "Next notification" = "Próxima notificação"; +/* No comment provided by engineer. */ +"Next page link" = "Link da próxima página"; + /* Accessibility label */ "Next period" = "Próximo período"; +/* No comment provided by engineer. */ +"Next post" = "Próximo post"; + /* Label for a cancel button */ "No" = "Não"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Sem conexão"; +/* No comment provided by engineer. */ +"No Date" = "Sem data"; + /* List Editor Empty State Message */ "No Items" = "Sem itens"; @@ -3988,7 +4884,7 @@ "No activity yet" = "Nenhuma atividade ainda"; /* No comment provided by engineer. */ -"No application can handle this request." = "No application can handle this request."; +"No application can handle this request." = "Nenhum aplicativo pode concluir essa solicitação."; /* No comment provided by engineer. */ "No application can handle this request. Please install a Web browser." = "Nenhum aplicativo pode responder essa requisição. Instale um navegador de internet."; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nenhum comentário"; +/* No comment provided by engineer. */ +"No comments." = "Sem comentários."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4025,7 +4924,7 @@ "No data yet" = "Nenhum dado ainda"; /* Title for the view when there aren't any fixed threats to display */ -"No fixed threats" = "No fixed threats"; +"No fixed threats" = "Ameaças não corrigidas"; /* Title for the no followed sites result screen */ "No followed sites" = "Nenhum site seguido"; @@ -4038,7 +4937,7 @@ "No history yet" = "Nenhum histórico ainda"; /* Title for the view when there aren't any ignored threats to display */ -"No ignored threats" = "No ignored threats"; +"No ignored threats" = "Ameaças não ignoradas"; /* Title displayed when the user has removed all Insights from display. */ "No insights added yet" = "Ainda não foram adicionadas informações"; @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Nenhum post."; +/* No comment provided by engineer. */ +"No preview available." = "Nenhuma visualização disponível."; + /* A message title */ "No recent posts" = "Nenhuma publicação recente"; @@ -4139,7 +5041,7 @@ "No themes matching your search" = "Nenhum tema corresponde à sua pesquisa"; /* Message for a notice informing the user their scan completed and no threats were found */ -"No threats found" = "No threats found"; +"No threats found" = "Nenhuma ameaça encontrada"; /* Disabled No alignment for an image (default). Should be the same as in core WP. @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Não está vendo o e-mail? Verifique sua pasta de spam ou lixo eletrônico."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Atenção: A reprodução automática de arquivos de áudio pode causar problemas de usabilidade para alguns visitantes."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Atenção: A reprodução automática de vídeos pode causar problemas de usabilidade para alguns visitantes."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Nota: O modelo da coluna pode variar entre os temas e tamanhos de tela"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Atenção: a maioria dos navegadores de telefones e tablets não mostrarão PDFs incorporados."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nada encontrado."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Número"; +/* No comment provided by engineer. */ +"Number of comments" = "Número de comentários"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerada"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Botão do One Password"; +/* No comment provided by engineer. */ +"One column" = "Uma coluna"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "Umas das coisas mais difíceis de fazer em tecnologia é superar você mesmo."; + +/* No comment provided by engineer. */ +"One." = "Um."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Ver apenas as estatísticas mais relevantes. Adicione informações para atender às suas necessidades."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Opa!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Abrir menu de ações do bloco"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Abrir configurações do dispositivo"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Abrir WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Abrir navegador de blocos"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Abrir seletor de mídia completo"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Ou acesse _informando o endereço do seu site_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordenada"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Lista ordenada"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Configurações de lista ordenada"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Empresa"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Outros sites"; +/* No comment provided by engineer. */ +"Outdent" = "Diminuir recuo"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Recuar item da lista"; + +/* No comment provided by engineer. */ +"Outline" = "Contorno"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Substituído"; +/* No comment provided by engineer. */ +"PDF embed" = "Incorporar PDF"; + +/* No comment provided by engineer. */ +"PDF settings" = "Configurações de PDF"; + /* Register Domain - Phone number section header title */ "PHONE" = "Telefone"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; +/* No comment provided by engineer. */ +"Page Link" = "Link da página"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Página recuperada dos rascunhos"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Configurações da página"; +/* No comment provided by engineer. */ +"Page break" = "Quebra de página"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Bloco de quebra de página. %s"; @@ -4446,7 +5396,7 @@ "Page title. Empty" = "Título da página. Vazio"; /* Title of notification displayed when a page has been successfully updated. */ -"Page updated" = "Page updated"; +"Page updated" = "Página atualizada"; /* Noun. Title. Links to the blog's Pages screen. This is the section title */ @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginação"; +/* No comment provided by engineer. */ +"Paragraph" = "Parágrafo"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Bloco de parágrafo"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoria mãe"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Colar URL"; /* No comment provided by engineer. */ -"Paste block after" = "Colar bloco após"; +"Paste a link to the content you want to display on your site." = "Cole um link para o conteúdo que você deseja exibir em seu site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Colar sem formatação"; @@ -4520,7 +5476,7 @@ "Photo Library" = "Biblioteca de fotos"; /* Tab bar title for the Photos tab in Media Picker */ -"Photos" = "Photos"; +"Photos" = "Fotos"; /* Subtitle for placeholder in Free Photos. The company name 'Pexels' should always be written as it is. */ "Photos provided by Pexels" = "Fotos fornecidas por Pexels"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Escolha seu modelo preferido para a página inicial. Você poderá personalizar ou alterá-lo depois."; +/* No comment provided by engineer. */ +"Pill Shape" = "Forma de pílula"; + /* The item to select during a guided tour. */ "Plan" = "Plano"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Planos"; +/* No comment provided by engineer. */ +"Play inline" = "Reproduzir sem abrir em tela cheia"; + /* User action to play a video on the editor. */ "Play video" = "Reproduzir vídeo"; +/* No comment provided by engineer. */ +"Playback controls" = "Controles de reprodução"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Adicione algum conteúdo antes de tentar publicar."; @@ -4678,7 +5643,7 @@ "Plugins" = "Plugins"; /* An example tag used in the login prologue screens. */ -"Politics" = "Politics"; +"Politics" = "Política"; /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Idiomas populares "; +/* No comment provided by engineer. */ +"Portrait" = "Retrato"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorias de post"; +/* No comment provided by engineer. */ +"Post Comment" = "Comentário do post"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Autor do comentário do post"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Conteúdo do comentário do post"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Data do comentário do post"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Bloco de contagem de comentários de post: post não encontrado."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Formulário de comentários do post"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Bloco de formulário de comentários de post: comentários não estão ativados para este tipo de post."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Bloco de formulário de comentários de post: não são permitidos comentários neste post."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Bloco de link de comentários de post: nenhum post encontrado."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato de post"; +/* No comment provided by engineer. */ +"Post Link" = "Link do post"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post restaurado como rascunho"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post por %1$@, de %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Bloco de comentários de post: nenhum post encontrado."; + +/* No comment provided by engineer. */ +"Post content settings" = "Configurações do conteúdo do post"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post criado em %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Falha ao enviar post"; +/* No comment provided by engineer. */ +"Post meta settings" = "Configurações de metadados do post"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Post movido para a lixeira."; @@ -4754,10 +5761,10 @@ "Post title. Empty" = "Título do post. Vazio"; /* Title of camera permissions screen */ -"Post to WordPress" = "Post to WordPress"; +"Post to WordPress" = "Publicar no WordPress"; /* Title of notification displayed when a post has been successfully updated. */ -"Post updated" = "Post updated"; +"Post updated" = "Post atualizado"; /* Register Domain - Address information field Postal Code */ "Postal Code" = "CEP"; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicado em %1$@, em %2$@, por %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Imagem do poster"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Atividade de publicação"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; +/* No comment provided by engineer. */ +"Posts List" = "Lista de posts"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Página de posts"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Desenvolvido por Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Texto pré-formatado"; + +/* No comment provided by engineer. */ +"Preload" = "Pré-carregar"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Visualize seu novo site e veja como ele será apresentado aos seus visitantes."; +/* No comment provided by engineer. */ +"Previous Page" = "Página anterior"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Notificação anterior"; +/* No comment provided by engineer. */ +"Previous page link" = "Link da página anterior"; + /* Accessibility label */ "Previous period" = "Período anterior"; +/* No comment provided by engineer. */ +"Previous post" = "Post anterior"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Site principal"; @@ -4874,7 +5902,7 @@ "Problem displaying block" = "Problema ao exibir o bloco"; /* Error message title informing the user that reader content could not be loaded. */ -"Problem loading content" = "Problem loading content"; +"Problem loading content" = "Problema ao carregar conteúdo"; /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problema ao carregar sites"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projetos"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Solicite aos visitantes que tomem uma ação com um link no estilo de botão."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Solicite aos visitantes que tomem uma ação com um grupo de links no estilo de botão."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "O tipo fornecido não é suportado."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Público"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publicando..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Texto da citação"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Texto da citação"; + /* Title of screen showing site purchases */ "Purchases" = "Compras"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "As notificações foram desativadas nas configurações do iOS. Toque em \"Permitir notificações\" para ativá-las novamente."; +/* No comment provided by engineer. */ +"Query Title" = "Título da consulta"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Início rápido"; +/* No comment provided by engineer. */ +"Quote citation text" = "Texto da citação"; + +/* No comment provided by engineer. */ +"Quote text" = "Texto da citação"; + +/* No comment provided by engineer. */ +"RSS settings" = "Configurações de RSS"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Avalie-nos na App Store"; +/* No comment provided by engineer. */ +"Read more" = "Leia mais"; + +/* No comment provided by engineer. */ +"Read more link text" = "Texto do link \"Leia mais\""; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Ler em"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconectado"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirecionar para o URL atual"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referência"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Posts Relacionados exibe conteúdo relevante do seu site abaixo dos seus posts"; +/* No comment provided by engineer. */ +"Release Date" = "Data de lançamento"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remover esse post da lista dos posts salvos."; +/* No comment provided by engineer. */ +"Remove track" = "Remover faixa"; + /* User action to remove video. */ "Remove video" = "Remover vídeo"; @@ -5150,10 +6220,13 @@ "Replace Current Block" = "Substituir o bloco atual"; /* No comment provided by engineer. */ -"Replace audio" = "Replace audio"; +"Replace audio" = "Substituir áudio"; + +/* No comment provided by engineer. */ +"Replace file" = "Substituir arquivo"; /* No comment provided by engineer. */ -"Replace file" = "Replace file"; +"Replace image" = "Substituir imagem"; /* No comment provided by engineer. */ "Replace image or video" = "Substituir imagem ou vídeo"; @@ -5187,7 +6260,7 @@ "Reply to post…" = "Responder ao post…"; /* The title of a button that triggers reporting of a post from the user's reader. */ -"Report this post" = "Report this post"; +"Report this post" = "Reportar este post"; /* An explaination of a setting. */ "Require manual approval for comments that include more than this number of links." = "Exigir aprovação manual para comentários que incluem mais do que este número de links."; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionar e cortar"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Redimensionar para dispositivos menores"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolução"; @@ -5247,20 +6323,23 @@ "Restore Failed" = "Restore Failed"; /* Title for error displayed when restoring a site fails. */ -"Restore failed" = "Restore failed"; +"Restore failed" = "Falha na restauração"; /* Label that describes the restore site action */ "Restore site" = "Restaurar site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Redefinir o modelo para o padrão do tema."; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; /* Notice showing the date the site is being rewinded to. '%@' is a placeholder that will expand to a date. */ -"Restored to %@" = "Restored to %@"; +"Restored to %@" = "Restaurado para %@"; /* Notice showing the date the site is being restored to. '%@' is a placeholder that will expand to a date. Text showing the point in time the site is being currently restored to. %@' is a placeholder that will expand to a date. */ -"Restoring to %@" = "Restoring to %@"; +"Restoring to %@" = "Restaurando para %@"; /* A prompt to attempt the failed network request again A prompt to attempt the failed network request again. @@ -5304,8 +6383,11 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Lista numerada reversa"; + /* Cancels a pending Email Change */ -"Revert Pending Change" = "Cancelar mudança pendente"; +"Revert Pending Change" = "Cancelar alteração pendente"; /* Title of a Quick Start Tour */ "Review site pages" = "Revise as páginas do site"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Função"; +/* No comment provided by engineer. */ +"Rotate" = "Girar"; + +/* No comment provided by engineer. */ +"Row count" = "Quantidade de linhas"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS enviado"; @@ -5455,10 +6543,10 @@ "Search WordPress\nfor a site or post" = "Pesquisa no WordPress\npor um site ou post"; /* No comment provided by engineer. */ -"Search block" = "Search block"; +"Search block" = "Pesquisar bloco"; /* No comment provided by engineer. */ -"Search blocks" = "Search blocks"; +"Search blocks" = "Pesquisar blocos"; /* No comment provided by engineer. */ "Search or type URL" = "Pesquisar ou digitar o URL"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Selecione o estilo do parágrafo"; +/* No comment provided by engineer. */ +"Select poster image" = "Selecionar imagem do poster"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Toque em %@ para adicionar suas contas em redes sociais"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Enviar notificações push"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Divida seu conteúdo em múltiplas páginas."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servir imagens pelos nossos servidores"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Definir como página de posts"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Coloque mídia e texto lado a lado para um visual mais rico."; + /* The Jetpack view button title for the success state */ "Set up" = "Configurar"; @@ -5699,7 +6796,7 @@ "Share invite link" = "Share invite link"; /* Title for the button that will share the link for the downlodable backup file */ -"Share link" = "Share link"; +"Share link" = "Compartilhar link"; /* Aztec's Text Placeholder Share Extension Content Body Text Placeholder */ @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Erro no compartilhamento"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Texto do shortcode"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Exibir cabeçalho"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Exibir posts relacionados"; +/* No comment provided by engineer. */ +"Show download button" = "Mostrar botão de download"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Mostrar mídia incorporada em linha."; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Mostrar links para acessar e sair."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Mostrar senha"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Mostrar conteúdo do post"; +/* No comment provided by engineer. */ +"Show post counts" = "Mostrar número de posts"; + /* translators: Checkbox toggle label */ "Show section" = "Mostrar seção"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Mostrando apenas meus posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Mostrando letra inicial grande."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Mostrando estatísticas de:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Mostrar os posts do site."; +/* No comment provided by engineer. */ +"Sidebars" = "Barras laterais"; + /* View title during the sign up process. */ "Sign Up" = "Registrar-se"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Idioma do site"; +/* No comment provided by engineer. */ +"Site Logo" = "Logo do site"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Página do site"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Segurança e desempenho do site\ndiretamente em seu bolso"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Texto da descrição do site"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fuso horário do site (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "O título do site foi alterado com sucesso"; +/* No comment provided by engineer. */ +"Site title text" = "Texto do título do site"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites para seguir"; +/* No comment provided by engineer. */ +"Six." = "Seis."; + /* Image size option title. */ "Size" = "Tamanho"; @@ -5920,12 +7057,18 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Ícones social"; + +/* No comment provided by engineer. */ +"Solid color" = "Cor sólida"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Falha ao fazer upload de algumas mídias. Esta ação removerá todas as mídias que falharam do post.\nSalvar mesmo assim?"; /* Title for a label that appears when the scan failed Title for the error view when the scan start has failed */ -"Something went wrong" = "Something went wrong"; +"Something went wrong" = "Algo deu errado"; /* Alert message when `JetpackSiteRef` cannot be initialized from a blog during domain credit redemption. */ "Something went wrong, please try again." = "Algo deu errado. Tente novamente."; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Desculpe, esse nome de usuário já existe!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Desculpe, esse nome de usuário está indisponível."; +"Sorry, that username is unavailable." = "Desculpe, esse nome de usuário está indisponível."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Não foi possível incorporar este conteúdo."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Desculpe, nomes de usuário só podem conter letras minúsculas (a-z) e números."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Ordenar por"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Ordenação e filtros"; + /* Opens the Github Repository Web */ "Source Code" = "Código-fonte"; +/* No comment provided by engineer. */ +"Source language" = "Idioma de origem"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sul"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espaço usado"; +/* No comment provided by engineer. */ +"Spacer settings" = "Configurações do espaçador"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Acelere seu site"; +/* No comment provided by engineer. */ +"Square" = "Quadrado"; + /* Standard post format label */ "Standard" = "Padrão"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Recomeçar"; +/* No comment provided by engineer. */ +"Start value" = "Valor inicial"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Comece com o bloco fundamental de toda narrativa."; + /* No comment provided by engineer. */ "Start writing…" = "Comece a escrever..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Riscado"; +/* No comment provided by engineer. */ +"Stripes" = "Listras"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Apenas local"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Enviando para avaliação..."; +/* No comment provided by engineer. */ +"Subtitles" = "Legendas"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Índice do spotlight liberado"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Suporte"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Trocar site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Padrão do sistema"; +/* No comment provided by engineer. */ +"Table" = "Tabela"; + +/* No comment provided by engineer. */ +"Table caption text" = "Texto da legenda da tabela"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Configurações da tabela"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabela exibindo %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Configurações da nuvem de tags"; + +/* No comment provided by engineer. */ +"Tag Link" = "Link da tag"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "A tag já existe"; @@ -6276,7 +7464,7 @@ "Tap to view posts for this tag" = "Toque para ver posts desta tag"; /* Accessibility hint for button used to view the user's site */ -"Tap to view your site" = "Tap to view your site"; +"Tap to view your site" = "Toque para ver seu site"; /* Label for the Taxonomy area (categories, keywords, ...) in post settings. */ "Taxonomy" = "Taxonomia"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Nos conte que tipo de site você deseja fazer"; +/* No comment provided by engineer. */ +"Template Part" = "Parte de modelo"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Parte de modelo \"%s\" inserida."; + +/* No comment provided by engineer. */ +"Template Parts" = "Partes de modelo"; + +/* No comment provided by engineer. */ +"Template part created." = "Parte de modelo criada."; + +/* No comment provided by engineer. */ +"Templates" = "Modelos"; + +/* No comment provided by engineer. */ +"Term description." = "Descrição do termo."; + /* The underlined title sentence */ "Terms and Conditions" = "Termos e condições"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Apenas texto"; +/* No comment provided by engineer. */ +"Text link settings" = "Configurações de link de texto"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Envie-me o código por SMS"; +/* No comment provided by engineer. */ +"Text settings" = "Configurações de texto"; + +/* No comment provided by engineer. */ +"Text tracks" = "Faixas de texto"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Obrigado por escolher %1$@ de %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "O aplicativo WordPress para Android foi melhorado"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "Os melhores fãs do mundo"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "O aplicativo não consegue reconhecer a resposta do servidor. Verifique a configuração do seu site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "O certificado para este servidor é inválido. Você talvez esteja conectando a um servidor que está fingindo ser \"%@\", o que poderia colocar suas informações confidenciais em risco."; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "O URL da imagem do poster atual é %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "O resumo está oculto."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "O resumo está visível."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Não foi possível adicionar o vídeo à biblioteca de mídia."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "O carriço
ganha a vida
silenciosamente."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema ativado"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Ocorreu um problema ao se conectar com %@. Conecte-se novamente para continuar divulgando"; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "Nenhuma imagem do poster selecionada no momento"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Este aplicativo precisa de permissão para acessar sua biblioteca de mídia e adicionar fotos e\/ou vídeos ao seus posts. Altere as configurações de privacidade para permitir isto."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "Esse bloco está obsoleto. Use o bloco Colunas no lugar dele."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "Esta contagem de colunas excede a quantidade recomendada e pode causar problemas no design."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Este domínio não está disponível"; @@ -6643,19 +7882,28 @@ "Threading" = "Threading"; /* Title for a threat */ -"Threat Found" = "Threat Found"; +"Threat Found" = "Ameaça encontrada"; /* Title for the Jetpack Scan Threat Details screen */ -"Threat details" = "Threat details"; +"Threat details" = "Detalhes da ameaça"; /* Summary description for a threat that includes the threat signature */ -"Threat found %1$@" = "Threat found %1$@"; +"Threat found %1$@" = "Ameaça encontrada %1$@"; /* Description for threat file */ -"Threat found in file:" = "Threat found in file:"; +"Threat found in file:" = "Ameaça encontrada no arquivo:"; /* Message displayed when a threat is ignored successfully. */ -"Threat ignored." = "Threat ignored."; +"Threat ignored." = "Ameaça ignorada."; + +/* No comment provided by engineer. */ +"Three columns; equal split" = "Três colunas. Divisão igual"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Três colunas. Coluna central mais ampla"; + +/* No comment provided by engineer. */ +"Three." = "Três."; /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Título"; +/* No comment provided by engineer. */ +"Title & Date" = "Título e data"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Título e resumo"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Título para uma categoria é obrigatória."; +/* No comment provided by engineer. */ +"Title of track" = "Título da faixa"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Título, data e resumo"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Adicionar fotos ou vídeos aos seus posts."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Para continuar usando esta conta do Google, primeiro faça login com a sua senha do WordPress.com. Isto só será solicitado uma vez."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "Para mostrar um comentário, informe a ID do comentário."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Para tirar fotos ou gravar vídeos para usar nos seus posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Exibir código HTML"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Alternar navegação"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Alternar a exibição de uma letra inicial grande."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Alterna o estilo da lista ordenada"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total de palavras"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "As faixas podem ser subtítulo, legendas, capítulos ou descrições. Elas ajudam seu conteúdo a ser mais acessível para um maior grupo de visitantes."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfego"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Traduzir"; @@ -6800,7 +8066,7 @@ "Trash" = "Lixeira"; /* Title of the trash page confirmation alert. */ -"Trash this page?" = "Trash this page?"; +"Trash this page?" = "Colocar este post na lixeira?"; /* Title of the trash confirmation alert. */ "Trash this post?" = "Colocar este post na lixeira?"; @@ -6841,7 +8107,7 @@ "Try it now" = "Experimente agora"; /* The title of a notice telling users that the classic editor is deprecated and will be removed in a future version of the app. */ -"Try the new Block Editor" = "Try the new Block Editor"; +"Try the new Block Editor" = "Experimente o novo editor de blocos"; /* When social login fails, this button offers to let the user try again with a differen email address */ "Try with another email" = "Tentar com outro e-mail"; @@ -6856,10 +8122,10 @@ "Turn on site notifications" = "Ligar notificações do site"; /* Notice title when turning site notifications off succeeds. */ -"Turned off site notifications" = "Turned off site notifications"; +"Turned off site notifications" = "Notificações do site desativadas"; /* Notice title when turning site notifications on succeeds. */ -"Turned on site notifications" = "Turned on site notifications"; +"Turned on site notifications" = "Notificações do site ativadas"; /* Launches the Twitter App */ "Twitter" = "Twitter"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nome de usuário do Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Duas colunas. Divididas igualmente"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Duas colunas. Divididas em um terço e dois terços"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Duas colunas. Divididas em dois terços e um terço"; + +/* No comment provided by engineer. */ +"Two." = "Dois."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Digite uma palavra-chave para mais ideias"; @@ -6874,7 +8152,7 @@ "Type a label" = "Insira um título"; /* Site creation. Seelect a domain, search field placeholder */ -"Type a name for your site" = "Type a name for your site"; +"Type a name for your site" = "Digite um nome para o seu site"; /* Register domain - Search field placeholder for the Suggested Domain screen */ "Type to get more suggestions" = "Digite para mais sugestões"; @@ -6892,7 +8170,7 @@ "Unable to Connect" = "Não é possível conectar"; /* Title for stories unknown error. */ -"Unable to Create Stories Editor" = "Unable to Create Stories Editor"; +"Unable to Create Stories Editor" = "Não foi possível abrir o editor de criação de histórias"; /* Title of a prompt saying the app needs an internet connection before it can load posts */ "Unable to Load Posts" = "Não foi possível carregar os posts"; @@ -6901,10 +8179,10 @@ "Unable to Sync" = "Não é possível sincronizar"; /* Notice title when blocking a site fails. */ -"Unable to block site" = "Unable to block site"; +"Unable to block site" = "Não foi possível bloquear o site"; /* An error message shown when there is an issue creating new invite links. */ -"Unable to create new invite links." = "Unable to create new invite links."; +"Unable to create new invite links." = "Não foi possível criar novos links de convite."; /* Text displayed in HUD if there was an error attempting to delete a group of media items. */ "Unable to delete all media items." = "Incapaz de excluir todos os itens de mídia."; @@ -6913,16 +8191,16 @@ "Unable to delete media item." = "Incapaz de excluir item de mídia."; /* An error message shown when there is an issue creating new invite links. */ -"Unable to disable invite links." = "Unable to disable invite links."; +"Unable to disable invite links." = "Não foi possível desativar os links de convite."; /* Message displayed when opening the link to the downloadable backup fails. */ -"Unable to download file" = "Unable to download file"; +"Unable to download file" = "Não foi possível baixar o arquivo"; /* The app failed to subscribe to the comments for the post */ -"Unable to follow conversation" = "Unable to follow conversation"; +"Unable to follow conversation" = "Não foi possível seguir a conversa"; /* Notice title when following a site fails. */ -"Unable to follow site" = "Unable to follow site"; +"Unable to follow site" = "Não foi possível seguir o site"; /* Error message displayed when we were unable to copy the URL for an item in the user's media library. */ "Unable to get URL for media item." = "Não foi possível obter o URL do item de mídia."; @@ -6945,10 +8223,10 @@ "Unable to load video." = "Não foi possível carregar o vídeo."; /* Notice title when updating a post's seen status failed. */ -"Unable to mark post seen" = "Unable to mark post seen"; +"Unable to mark post seen" = "Não foi possível marcar o post como lido"; /* Notice title when updating a post's unseen status failed. */ -"Unable to mark post unseen" = "Unable to mark post unseen"; +"Unable to mark post unseen" = "Não foi possível marcar o post como não lido"; /* Dialog box title for when the user is canceling an upload. */ "Unable to play video" = "Não foi possível reproduzir o vídeo"; @@ -6960,7 +8238,7 @@ "Unable to register domain" = "Não foi possível registrar o domínio"; /* Title for the Jetpack Restore Failed message. */ -"Unable to restore your site" = "Unable to restore your site"; +"Unable to restore your site" = "Não foi possível restaurar o site"; /* Text displayed when a site restore fails. */ "Unable to restore your site, please try again later or contact support." = "Não foi possível retroceder seu site, tente novamente ou entre em contato com o suporte."; @@ -6969,7 +8247,7 @@ "Unable to save media item." = "Incapaz de salvar item de média."; /* Message displayed when sharing a link to the downloadable backup fails. */ -"Unable to share link" = "Unable to share link"; +"Unable to share link" = "Não foi possível compartilhar o link"; /* Message that appears when a user tries to trash a page while their device is offline. */ "Unable to trash pages while offline. Please try again later." = "Não é possível enviar páginas para a lixeira no modo off-line. Tente novamente mais tarde."; @@ -6978,13 +8256,13 @@ "Unable to trash posts while offline. Please try again later." = "Não é possível enviar posts para a lixeira no modo off-line. Tente novamente mais tarde."; /* Notice title when turning site notifications off fails. */ -"Unable to turn off site notifications" = "Unable to turn off site notifications"; +"Unable to turn off site notifications" = "Não foi possível desativar as notificações do site"; /* Notice title when turning site notifications on fails. */ -"Unable to turn on site notifications" = "Unable to turn on site notifications"; +"Unable to turn on site notifications" = "Não foi possível ativar as notificações do site"; /* Notice title when unfollowing a site fails. */ -"Unable to unfollow site" = "Unable to unfollow site"; +"Unable to unfollow site" = "Não foi possível deixar de seguir o site"; /* Error informing the user that their homepage settings could not be updated */ "Unable to update homepage settings" = "Não foi possível atualizar as configurações da página inicial"; @@ -7014,10 +8292,10 @@ "Unable to verify the email address. Please try again later." = "Não foi possível verificar o endereço de e-mail. Tente novamente mais tarde."; /* Message displayed when visiting the Jetpack settings page fails. */ -"Unable to visit Jetpack settings for site" = "Unable to visit Jetpack settings for site"; +"Unable to visit Jetpack settings for site" = "Não foi possível visitar as configurações do Jetpack do site"; /* Message displayed when visiting a site fails. */ -"Unable to visit site" = "Unable to visit site"; +"Unable to visit site" = "Não foi possível visitar o site"; /* Error reason to display when the writing of a image to a file fails */ "Unable to write image to file" = "Não foi possível adicionar imagem ao arquivo"; @@ -7050,7 +8328,7 @@ "Unfollow %@" = "Deixar de seguir %@"; /* Verb. An option to unfollow a site. */ -"Unfollow site" = "Unfollow site"; +"Unfollow site" = "Deixar de seguir o site"; /* Notice title when unfollowing a site succeeds. User unfollowed a site. */ @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Site sem nome"; +/* No comment provided by engineer. */ +"Unordered" = "Não ordenado"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Lista não ordenada"; /* Filters Unread Notifications */ "Unread" = "Não lido"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Não respondido"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Alterações não salvas"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Sem título"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Parte do modelo sem título"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "São salvos até sete dias de registros de log."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Fazer upload de mídia"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Envie um arquivo ou escolha um da sua biblioteca de mídia."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Envie um ícone do site"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Envie uma imagem ou escolha uma da sua biblioteca de mídia para ser o logo do site"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Falha ao carregar"; @@ -7211,7 +8504,7 @@ "Uploading..." = "Fazendo upload..."; /* No comment provided by engineer. */ -"Uploading…" = "Uploading…"; +"Uploading…" = "Enviando…"; /* Title for alert when trying to save post with failed media items */ "Uploads failed" = "Falha ao fazer uploads"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Usar a localização atual"; +/* No comment provided by engineer. */ +"Use URL" = "Usar URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Usar o editor de blocos"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use o editor clássico do WordPress."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Usar este site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifique seu endereço de e-mail. As instruções foram enviadas para %@"; +/* No comment provided by engineer. */ +"Verse text" = "Texto do verso"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versão"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "A versão %@ está disponível"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Pré-visualização do vídeo não disponível."; +/* No comment provided by engineer. */ +"Video caption text" = "Texto da legenda do vídeo"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Legenda do vídeo. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "A exportação do vídeo foi cancelada."; +/* No comment provided by engineer. */ +"Video settings" = "Configurações do vídeo"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Vídeo, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Leitores"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Altura da janela de visualização (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7367,7 +8684,7 @@ "Visit %@ for more" = "Visite %@ para mais"; /* Title for the button that will open a link to this site. */ -"Visit site" = "Visit site"; +"Visit site" = "Visitar site"; /* Support screen footer text displayed when Zendesk is enabled. */ "Visit the Help Center to get answers to common questions, or contact us for more help." = "Visite a Central de Ajuda para visualizar respostas a perguntas frequentes, ou entre em contato conosco para mais informações."; @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema comprometido: %1$@ (versão %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Eis que temos aqui a Poesia,\na grande Poesia.\nQue não oferece signos\nnem linguagem específica, não respeita\nsequer os limites do idioma. Ela flui, como um rio.\ncomo o sangue nas artérias,\ntão espontânea que nem se sabe como foi escrita."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7651,7 +8971,7 @@ "Web Display Settings" = "Configurações de exibição na Web"; /* Example Reader feed title */ -"Web News" = "Web News"; +"Web News" = "Novidades da internet"; /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Semana começa em"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Bem-vindo(a) ao leitor"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Boas-vindas ao maravilhoso mundo dos blocos..."; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7685,13 +9008,13 @@ /* Hint displayed when we fail to fetch the status of the backup in progress. Hint displayed when we fail to fetch the status of the restore in progress. */ -"We’ll notify you when its done." = "We’ll notify you when its done."; +"We’ll notify you when its done." = "Te avisaremos quando estiver concluído."; /* Hint displayed when we fail to fetch the status of the backup in progress. */ -"We’ll still attempt to backup your site." = "We’ll still attempt to backup your site."; +"We’ll still attempt to backup your site." = "Ainda tentaremos fazer um backup de seu site."; /* Hint displayed when we fail to fetch the status of the restore in progress. */ -"We’ll still attempt to restore your site." = "We’ll still attempt to restore your site."; +"We’ll still attempt to restore your site." = "Ainda tentaremos restaurar seu site."; /* Body text of alert asking if users want to try out the quick start checklist. */ "We’ll walk you through the basics of building and growing your site" = "Nós te guiaremos pelos passos básicos para construir e melhorar seu site"; @@ -7712,10 +9035,10 @@ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "O que você quer fazer com este arquivo: enviá-lo para o site e adicionar um link para o arquivo no seu post ou adicionar o conteúdo do arquivo diretamente no post?"; /* No comment provided by engineer. */ -"What is alt text?" = "What is alt text?"; +"What is alt text?" = "O que é texto alternativo?"; /* Title for the problem section in the Threat Details */ -"What was the problem?" = "What was the problem?"; +"What was the problem?" = "Qual foi o problema?"; /* Title of section that contains plugins' change log */ "What's New" = "O que há de novo?"; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ooops, este não é um código de verificação em duas etapas válido. Confira o código e tente novamente!"; +/* No comment provided by engineer. */ +"Wide Line" = "Linha ampla"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Largura em pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Não será exibido publicamente."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Com esse editor avançado, você publica seus posts de onde estiver."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Tordo cantando no Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Configurações do aplicativo WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Escreva uma resposta…"; +/* No comment provided by engineer. */ +"Write code…" = "Insira o código..."; + +/* No comment provided by engineer. */ +"Write file name…" = "Insira o nome do arquivo..."; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Insira uma legenda para a galeria..."; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Insira o texto pré-formatado..."; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Insira o shortcode aqui..."; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Insira a descrição do site..."; + +/* No comment provided by engineer. */ +"Write site title…" = "Insira o título do site..."; + +/* No comment provided by engineer. */ +"Write title…" = "Insira o título..."; + +/* No comment provided by engineer. */ +"Write verse…" = "Insira o verso..."; + /* Title for the writing section in site settings screen */ "Writing" = "Escrita"; @@ -7981,10 +9340,10 @@ "You haven't published any posts yet. Once you start publishing, your latest post's summary will appear here." = "Você não publicou nenhum post ainda. Assim que você começar a publicar, o resumo dos posts recentes aparecerão aqui."; /* Title for a view milestone push notification */ -"You hit a milestone 🚀" = ""; +"You hit a milestone 🚀" = "Você atingiu um marco 🚀"; /* Text rendered at the bottom of the Allowlisted IP Addresses editor, should match Calypso. */ -"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100."; +"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "Você pode permitir o acesso para um ou mais endereços IP prevenindo que eles nunca sejam bloqueados pelo Jetpack. São aceitos IPv4 e IPv6. Para especificar uma faixa, digite o valor mais baixo separado do mais alto por um hífen. Exemplo: 12.12.12.1-12.12.12.100."; /* A suggestion of topics the user might like */ "You might like" = "Você pode gostar"; @@ -7996,7 +9355,7 @@ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Você precisa verificar sua conta antes de poder publicar um post.\nNão se preocupe, seu post está seguro e será salvo como um rascunho."; /* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ -"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; +"You received *50 likes* on your site today" = "Você recebeu *50 curtidas* em seu site hoje"; /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ @@ -8042,7 +9401,7 @@ "Your backup is now available for download" = "Seu backup já está disponível para download"; /* Text displayed when a site backup takes too long. */ -"Your backup is taking longer than usual, please check again in a few minutes." = "Your backup is taking longer than usual, please check again in a few minutes."; +"Your backup is taking longer than usual, please check again in a few minutes." = "Seu backup está demorando mais do que de costume. Verifique novamente em alguns minutos."; /* Instructional text that displays the current username and display name. */ "Your current username is %@. With few exceptions, others will only ever see your display name, %@." = "Atualmente, seu nome de usuário é %1$@. Com poucas exceções, outras pessoas verão apenas o seu nome de exibição, %2$@."; @@ -8072,7 +9431,16 @@ "Your restore is taking longer than usual, please check again in a few minutes." = "O retrocesso à versão anterior está demorando mais que o normal, verifique novamente em alguns minutos."; /* Body text of alert helping users understand their site address */ -"Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +"Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "O endereço do seu site é exibido na barra superior quando visitado no Safari."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Seu site não inclui o suporte para o bloco \"%s\". Você pode deixar esse bloco como está ou removê-lo totalmente."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Seu site não inclui o suporte para o bloco \"%s\". Você pode deixar esse bloco como está, pode convertê-lo para um bloco de HTML personalizado ou removê-lo totalmente."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Seu site não oferece suporte para este bloco."; /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Seu site foi criado!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Agora você está usando o editor de blocos para novos posts — ótimo! Se você quiser mudar para o editar clássico, acesse ‘Meu site’ > ‘Configurações do site’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMENTÁRIO]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "uma hora"; +/* No comment provided by engineer. */ +"archive" = "arquivo"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "áudio"; +/* No comment provided by engineer. */ +"blockquote" = "citação"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "lista com marcadores"; + /* Used when displaying author of a plugin. */ "by %@" = "por %@"; +/* No comment provided by engineer. */ +"cite" = "citar"; + /* The menu item to select during a guided tour. */ "connections" = "conexões"; +/* No comment provided by engineer. */ +"container" = "contêiner"; + +/* No comment provided by engineer. */ +"description" = "descrição"; + +/* No comment provided by engineer. */ +"divider" = "separador"; + +/* No comment provided by engineer. */ +"document" = "documento"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8150,7 +9551,13 @@ "doesn’t it feel good to cross things off a list?" = "Não é ótimo riscar os itens da lista?"; /* No comment provided by engineer. */ -"double-tap to change unit" = "double-tap to change unit"; +"double-tap to change unit" = "toque duas vezes para alterar a unidade"; + +/* No comment provided by engineer. */ +"download" = "baixar"; + +/* No comment provided by engineer. */ +"ebook" = "e-book"; /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ex. 1112345678"; @@ -8158,20 +9565,44 @@ /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ex. 55"; +/* No comment provided by engineer. */ +"embed" = "incorporar"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "exemplo.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "encontrar"; + /* Noun. Describes a site's follower. */ "follower" = "seguidor"; +/* No comment provided by engineer. */ +"form" = "formulário"; + +/* No comment provided by engineer. */ +"horizontal-line" = "linha horizontal"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/endereco-do-meu-site (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "imagem"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "imagem %1$d de %2$d na galeria"; + +/* No comment provided by engineer. */ +"images" = "Imagens"; + /* Text for related post cell preview */ "in \"Apps\"" = "em \"Aplicativos\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "mais tarde hoje"; +/* No comment provided by engineer. */ +"link" = "link"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "acessar"; + +/* No comment provided by engineer. */ +"logout" = "sair"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "filme"; + +/* No comment provided by engineer. */ +"music" = "música"; + +/* No comment provided by engineer. */ +"navigation" = "navegação"; + +/* No comment provided by engineer. */ +"next page" = "próxima página"; + +/* No comment provided by engineer. */ +"numbered list" = "lista numerada"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "de"; +/* No comment provided by engineer. */ +"ordered list" = "lista ordenada"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "outro"; +/* No comment provided by engineer. */ +"pagination" = "paginação"; + /* No comment provided by engineer. */ "password" = "senha"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "número de telefone"; /* No comment provided by engineer. */ -"summary" = "summary"; +"photos" = "fotos"; + +/* No comment provided by engineer. */ +"picture" = "imagem"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poema"; + +/* No comment provided by engineer. */ +"poetry" = "poesia"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "leia mais"; + +/* No comment provided by engineer. */ +"recent comments" = "comentários recentes"; + +/* No comment provided by engineer. */ +"recent posts" = "posts recentes"; + +/* No comment provided by engineer. */ +"recording" = "gravação"; + +/* No comment provided by engineer. */ +"row" = "linha"; + +/* No comment provided by engineer. */ +"section" = "seção"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "som"; + +/* No comment provided by engineer. */ +"subtitle" = "legenda"; + +/* No comment provided by engineer. */ +"summary" = "sumário"; + +/* No comment provided by engineer. */ +"survey" = "pesquisa"; + +/* No comment provided by engineer. */ +"text" = "texto"; /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "estes itens serão excluídos:"; +/* No comment provided by engineer. */ +"title" = "título"; + /* Today */ "today" = "hoje"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "invólucro"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "seu novo domínio %@ está sendo configurado. Seu site está dando saltos de alegria!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domínios"; diff --git a/WordPress/Resources/pt.lproj/Localizable.strings b/WordPress/Resources/pt.lproj/Localizable.strings index 787a4305a9fa..216e33ddf4dd 100644 --- a/WordPress/Resources/pt.lproj/Localizable.strings +++ b/WordPress/Resources/pt.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Um botão \"mais\" que contém uma selecção de vários botões de partilha"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "MORADA"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Sobre"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Adicione texto alternativo (alt)"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Adicionar site alojado em servidor próprio"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Adicionar etiquetas"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Álbuns"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alinhamento"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ocorreu um erro desconhecido. Por favor, tente de novo."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprovar este comentário."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Tem a certeza que quer cancelar e descartar as alterações?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Áudio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autores"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Actualizações automáticas"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Citação"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquear tentativas maliciosas de iniciar sessão"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Visitante do site"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Negrito"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Separar comentários em múltiplas páginas."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Estilo de botão"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "A calcular..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Câmara"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Legenda"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Cuidado!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta o título da categoria."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Erro de certificado"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Falhou ao alterar"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Erro ao verificar compras"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Escolher domínio"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Fechar comentários"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Ligações"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contacto"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contactar suporte"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contacte-nos em %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continuar"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continuar a trabalhar"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Não foi possível verificar compras no site."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Não foi possível seguir o site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Criar site em WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Por omissão"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Por omissão para novos artigos"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Erro ao eliminar site"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Descrição"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalhes"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nome a mostrar"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Documento: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domínios"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Feito"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Documento: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domínios"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Feito"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Rascunhos"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Este"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editar artigo"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Editar ficheiro"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editar botões de partilha"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email enviado!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vazio"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportar conteúdo"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Imagem de destaque não foi carregada"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "A obter temas..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo de ficheiro"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Nome"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Reencaminhar"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Gratuitos"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "A obter informações da conta"; /* Cancel */ "Give Up" = "Desistir"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Conteúdo HTML"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Título 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Título 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Título 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Título 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Ajuda"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Esconder teclado"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Reter para moderação"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Eu gosto"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Ícone e texto"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Tamanho da imagem"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Título da imagem"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagem, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Imediatamente"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Em poucas palavras, explique sobre o que é este site."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nome de utilizador ou senha incorrectos. Por favor insira os seus dados de novo."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserir multimédia"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Inserir multimédia"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Itálico"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Utilizadores conhecidos"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Legenda"; +/* No comment provided by engineer. */ +"Landscape" = "Horizontal"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Idioma"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Resumo do último conteúdo"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Saber mais"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Saiba mais sobre formatação de data e hora."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Deixe-nos ajudar"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Ligação para"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Ligações em comentários"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Carregar"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "A carregar..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Terminar sessão do WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Pedido de início de sessão expirado"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Relatórios"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Esqueceu-se da senha?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navegação principal"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Tamanho máximo de carregamento de imagens"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Resolução máxima dos vídeos"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Falhou ao pré-visualizar multimédia."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Meses"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Move o comentário para o lixo."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "O meu perfil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Necessita de ajuda?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Mais recentes"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Seguinte"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Notificação seguinte"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Não"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Sem ligação ao servidor"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Sem itens"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Sem comentários"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Nenhum conteúdo recente"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nada encontrado."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Número"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerada"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Ups!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Abrir definições do dispositivo"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Abrir WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Lista ordenada"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organização"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Outros sites"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Página restaurada para os rascunhos."; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginação"; +/* No comment provided by engineer. */ +"Paragraph" = "Parágrafo"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoria superior"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Planos"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Reproduzir vídeo"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Idiomas populares"; +/* No comment provided by engineer. */ +"Portrait" = "Vertical"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publicar"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorias de conteúdo"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato do artigo"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Conteúdo restaurado para os rascunhos."; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Artigo criado em %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Conteúdo movido para o lixo."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Conteúdos"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Notificação anterior"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Site principal"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projectos"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Público"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "A publicar..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Compras"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Classifique-nos na App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Artigos Relacionados, permite mostrar outros artigos do seu site com conteúdo relacionado com o artigo actual"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remover vídeo"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Substituir imagem ou vídeo"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionar e cortar"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolução"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Reverter alteração pendente"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Papel"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS enviado"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Seleccione o estilo do parágrafo"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Mostrar cabeçalho"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Mostrar artigos relacionados"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Idioma do site"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Tamanho"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Desculpe mas esse nome de utilizador já existe!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Lamentamos mas o nome de utilizador é inválido."; +"Sorry, that username is unavailable." = "Lamentamos mas o nome de utilizador é inválido."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Desculpe mas o nome de utilizador apenas pode conter letras minúsculas (a-z) e números."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Ordenar por"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Código fonte"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sul"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espaço usado"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Padrão"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Começar de novo"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Rasurado"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submeter para revisão..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Suporte"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Mudar de site"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiqueta"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Apenas texto"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Obrigado por escolher o %1$@ de %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "The WordPress for Android App Gets a Big Facelift"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "The app can't recognize the server response. Please, check the configuration of your site."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Não foi possível adicionar o vídeo à biblioteca multimédia."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema activado"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "WordPress precisa de autorização para aceder à biblioteca multimédia do seu dispositivo para poder adicionar fotos e vídeos aos seus artigos. Por favor, actualize as suas definições de privacidade."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Título"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "O título da categoria é obrigatório."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Para adicionar fotos ou vídeos aos seus artigos."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Mudar para modo HTML"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfego"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nome de utilizador do Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Site sem nome"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Lista não ordenada"; /* Filters Unread Notifications */ "Unread" = "Por ler"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Alterações não guardadas"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Carregar multimédia"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "O carregamento falhou."; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Usar localização actual"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Usar este site"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versão"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Pré-visualização de vídeo indisponível"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Vídeo, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Visitantes"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Bem-vindo ao Leitor"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Não será mostrado ao público."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Escreva uma resposta..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "A escrever"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "uma hora"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "áudio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "por %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "seguidor"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/endereço-do-meu-site (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "imagem"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "mais logo"; +/* No comment provided by engineer. */ +"link" = "ligação"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "lista ordenada"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "outros"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "hoje"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domínios"; diff --git a/WordPress/Resources/ro.lproj/Localizable.strings b/WordPress/Resources/ro.lproj/Localizable.strings index 1aae4c657701..f35989977f7b 100644 --- a/WordPress/Resources/ro.lproj/Localizable.strings +++ b/WordPress/Resources/ro.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-20 07:07:12+0000 */ +/* Translation-Revision-Date: 2021-05-06 10:37:03+0000 */ /* Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ((n == 0 || n % 100 >= 2 && n % 100 <= 19) ? 1 : 2); */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: ro */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articole nevăzute"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s a fost transformat în %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d din %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s este %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li cuvinte, %2$li de caractere"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "Opțiuni bloc %s"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloc %s. Gol"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloc %s. Acest bloc are conținut invalid"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "Etichetă %s"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "„%s” nu este acceptat în totalitate"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ linie adresă %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Selectează -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Un „bloc” este termenul abstract folosit\n\/\/ pentru a descrie unitățile de markup care,\n\/\/ atunci când sunt redactate împreună, formează\n\/\/ conținutul sau aranjamentul unei pagini.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "O ciornă articol încărcată"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Am găsit o posibilă amenințare"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25\/50\/25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30\/70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33\/33\/33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50\/50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70\/30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< o oră"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Patrulare prin zăpadă<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un buton \"mai mult\" conține o listă desfășurată care afișează butoane de partajare"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "Un calendar al articolelor de pe situl tău."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "Un nor cu cele mai folosite etichete."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "O colecție de blocuri care permite vizitatorilor să navigheze pe situl tău."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A fost setată o imagine reprezentativă. Atinge pentru a o schimba."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un fișier conține un model de cod care poate crea vulnerabilități"; +/* No comment provided by engineer. */ +"A link to a category." = "O legătură la o categorie."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "O legătură la un URL personalizat."; + +/* No comment provided by engineer. */ +"A link to a page." = "O legătură la o pagină."; + +/* No comment provided by engineer. */ +"A link to a post." = "O legătură la un articol."; + +/* No comment provided by engineer. */ +"A link to a tag." = "O legătură la o etichetă."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "O listă de situri asociate cu acest cont."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "O serie de pași care te ajută să aduci mai mulți vizitatori pe sit."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "O singură coloană într-un bloc de coloane."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Există deja o etichetă cu numele „%@”."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESĂ"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Despre"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Adaugă un cartuș nou pentru statistici"; +/* No comment provided by engineer. */ +"Add Template" = "Adaugă șablon"; + /* No comment provided by engineer. */ "Add To Beginning" = "Adaugă la început"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Adaugă un subiect"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Adaugă un bloc care afișează conținut pe mai multe coloane, apoi adaugă blocurile de conținut dorite."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Adaugă un bloc care afișează conținut extras de pe alte situri, cum ar fi Twitter, Instagram sau YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Adaugă aici URL-ul pentru CSS-ul personalizat care să fie încărcat în Cititor. Dacă rulezi Calypso local, ar trebuie să fi ceva de genul: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Adaugă o legătură la un fișier ce poate fi descărcat."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Adaugă o pagină, o legătură sau un alt element în navigare."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Adaugă un sit auto-găzduit"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Adaugă text alternativ"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Adaugă o imagine sau un video cu o suprapunere de text - excelentă pentru anteturi."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Adaugă orice subiect"; +/* No comment provided by engineer. */ +"Add caption" = "Adaugă text imaginii"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Adaugă o citare"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Adaugă cod HTML personalizat și previzualizează-l pe măsură ce editezi."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Adaugă o imagine sau un avatar care să reprezinte acest cont nou."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Adaugă un bloc Paragraf"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Adaugă citat"; + /* Add self-hosted site button */ "Add self-hosted site" = "Adaugă un sit auto-găzduit"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Adaugă etichete"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Adaugă text care respectă spațierea și filele și permite, de asemenea, designul."; + +/* No comment provided by engineer. */ +"Add text…" = "Adaugă text..."; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Adaugă autorul acestui articol."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Adaugă data acestui articol."; + /* No comment provided by engineer. */ "Add this email link" = "Adaugă această legătură la email"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Adaugă această legătură la telefon"; +/* No comment provided by engineer. */ +"Add tracks" = "Adaugă fișiere muzicale"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Adaugă spațiu gol între blocuri și personalizează-i înălțimea."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adaug funcționalitățile sitului"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albume"; +/* No comment provided by engineer. */ +"Align column center" = "Aliniază coloana la centru"; + +/* No comment provided by engineer. */ +"Align column left" = "Aliniază coloana la stânga"; + +/* No comment provided by engineer. */ +"Align column right" = "Aliniază coloana la dreapta"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Aliniere"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "A apărut o eroare."; +/* No comment provided by engineer. */ +"An example title" = "Un exemplu de titlu"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "A apărut o eroare necunoscută. Te rog încearcă din nou."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprobă comentariul."; +/* No comment provided by engineer. */ +"Archive Title" = "Titlu arhivă"; + +/* No comment provided by engineer. */ +"Archive title" = "Titlu arhivă"; + +/* No comment provided by engineer. */ +"Archives settings" = "Setări arhive"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Sigur vrei să anulezi și să renunți la modificări?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Sigur vrei să actualizezi?"; +/* No comment provided by engineer. */ +"Area" = "Zonă"; + /* An example tag used in the login prologue screens. */ "Art" = "Artă"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Începând cu 1 august 2018, Facebook nu mai permite partajarea directă a articolelor în profilurile Facebook. Conexiunile la paginile Facebook rămân neschimbate."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Raport aspect"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Atașează fișierul ca o legătură"; +/* No comment provided by engineer. */ +"Attachment page" = "Pagină atașament"; + /* No comment provided by engineer. */ "Audio Player" = "Player audio"; +/* No comment provided by engineer. */ +"Audio caption text" = "Text pentru textul asociat fișierului audio"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Text asociat audio. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Text asociat audio. Gol"; +/* No comment provided by engineer. */ +"Audio settings" = "Setări audio"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autori"; +/* No comment provided by engineer. */ +"Auto" = "Automat"; + /* Describes a status of a plugin */ "Auto-managed" = "Administrat automat"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Partajează automat articole noi în conturile tale din media socială."; +/* No comment provided by engineer. */ +"Autoplay" = "Redare automată"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Actualizări automate"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "bloc citat"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Bloc copiat"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Bloc șters"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Bloc duplicat"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Blocurile nu pot fi randate în interiorul lor."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor de blocuri activat"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Blocul a fost șters sau este indisponibil."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blochează încercările de autentificare rău intenționate"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Bloc plasat"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Bloc înlăturat"; - -/* No comment provided by engineer. */ -"Block settings" = "Setări blocuri"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blochează acest sit"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Vizitator blog"; +/* No comment provided by engineer. */ +"Body cell text" = "Text pentru celulele din corpul tabelului"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; +/* No comment provided by engineer. */ +"Border" = "Chenar"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Împarte firele de discuție pe mai multe pagini."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Descrie pe scurt legătura pentru a ajuta utilizatorii din ecranul Cititor."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Răsfoiește toate temele pentru a o găsi pe cea care ți se potrivește perfect."; +/* No comment provided by engineer. */ +"Browse all templates" = "Răsfoiește toate șabloanele"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Răsfoiește toate șabloanele. Se va deschide meniul cu șabloane din panoul lateral de navigare."; + +/* No comment provided by engineer. */ +"Browser default" = "Navigator implicit"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Protecție împotriva atacurilor cu forță-brută"; @@ -980,7 +1159,10 @@ "Button Style" = "Stil buton"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Butoanele afișate într-o coloană."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Butoane afișate într-un rând."; /* Label for the post author in the post detail. */ "By " = "De"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculez..."; +/* No comment provided by engineer. */ +"Call to Action" = "Apel la acțiune"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Text asociat"; +/* No comment provided by engineer. */ +"Captions" = "Texte asociate"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Atenție!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Categorie"; +/* No comment provided by engineer. */ +"Category Link" = "Legătură la categorie"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Lipsește titlul categoriei"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Eroare certificat"; +/* No comment provided by engineer. */ +"Change Date" = "Schimbă data"; + /* Account Settings Change password label Main title */ "Change Password" = "Schimbă parola"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Schimbă poziția blocului"; +/* No comment provided by engineer. */ +"Change column alignment" = "Modifică alinierea coloanei"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Modificare eșuată"; +/* No comment provided by engineer. */ +"Change heading level" = "Schimbă nivelul subtitlului"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Schimbă tipul de dispozitiv folosit pentru previzualizare"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Modific numele de utilizator"; +/* No comment provided by engineer. */ +"Chapters" = "Capitole"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Eroare la verificare cumpărături"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Alege domeniul"; +/* No comment provided by engineer. */ +"Choose existing" = "Alege unul existent"; + /* No comment provided by engineer. */ "Choose file" = "Alege fișierul"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Ștergi toate jurnalele de activități vechi?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Șterge personalizările"; + /* No comment provided by engineer. */ "Clear search" = "Șterge căutarea"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Închide comentarea"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Închide bara laterală cu stiluri globale"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Închide bara laterală cu vizualizarea ca listă"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Închide bara laterală cu setări"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Închide ecranul Eu"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Cod"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Codul este poezie"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Restrânsă, %i sarcini finalizate, comutarea extinde lista acestor sarcini"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Fundaluri pline de culoare"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Text pentru coloana %d"; + +/* No comment provided by engineer. */ +"Column count" = "Număr de coloane"; + +/* No comment provided by engineer. */ +"Column settings" = "Setări coloană"; + +/* No comment provided by engineer. */ +"Columns" = "Coloane"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combină blocurile într-un grup."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combini fotografii, videouri și text pentru a crea articole narațiune captivante pe care vizitatorii tăi le pot citi și cu siguranță le vor îndrăgi."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Conexiuni"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Contact"; + /* Support email label. */ "Contact Email" = "Email de contact"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contactează suportul"; +/* No comment provided by engineer. */ +"Contact us" = "Contactează-ne"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contactează-ne la %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Structură conținut\nBlocuri: %1$li; cuvinte: %2$li; caractere: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Conținutul găsit înainte de acest bloc va fi arătat ca rezumat în paginile arhivei tale."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continuă"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continuă cu WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continuă lucrul"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continui cu Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convertește în blocuri"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convertește în listă ordonată"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convertește în listă neordonată"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Bucătărie"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "URL-ul a fost copiat în clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Bloc copiat"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copiază legătura în comentariu"; /* No comment provided by engineer. */ -"Copy block" = "Copiază blocul"; +"Copy URL" = "Copiază URL-ul"; /* No comment provided by engineer. */ "Copy file URL" = "Copiază URL-ul fișierului"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nu s-au putut verifica cumpărăturile pentru sit."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Nu am putut edita imaginea. %s"; + /* Title of a prompt. */ "Could not follow site" = "N-am putut urmări situl"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Creează articolul cu narațiunea"; +/* No comment provided by engineer. */ +"Create Table" = "Creează tabelul"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Creează un sit WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Creează o etichetă"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Separă ideile sau secțiunile cu un separator orizontal."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Creează o listă cu buline sau numerotată."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Creează un sit nou"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Creează un sit nou pentru afacerea, revista ta sau blogul personal; sau conectează o instalare WordPress existentă."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Creează o parte de șablon nouă sau alege una existentă din listă."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Creează un articol sau o pagină"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Creează un articol, o pagină sau o narațiune"; +/* No comment provided by engineer. */ +"Create a template part" = "Creează o parte de șablon"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Creează și salvează conținutul pentru a-l reutiliza pe sit. Actualizează blocul și modificările se aplică oriunde este utilizat."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Creează copii de siguranță care se pot descărca"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Acum restaurez %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Legătură personalizată"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Mesaj personalizat..."; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personalizează-ți situl pentru Aprecieri, Comentarii, Urmăritori și altele."; -/* No comment provided by engineer. */ -"Cut block" = "Șterge blocul"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Întunecată"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 decembrie 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "6 decembrie 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Implicit"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL implicit"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Implicit în funcție de zonă (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Implicite pentru articole noi"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Eroare ștergere sit"; +/* No comment provided by engineer. */ +"Delete column" = "Șterge coloana"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Șterge meniul"; +/* No comment provided by engineer. */ +"Delete row" = "Șterge rândul"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Șterge această etichtă"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Descriere"; +/* No comment provided by engineer. */ +"Descriptions" = "Descrieri"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detașează blocurile din partea de șablon"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalii"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Nume de afișat"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Afișează aici toate statisticile sitului. Configurează statisticile sitului în aplicația WordPress."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Afișează o piesă tradițională."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Îți afișează aici statisticile sitului pentru această săptămână. Configurează statisticile sitului în aplicația WordPress."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Afișează o listă cu toate categoriile."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Îți afișează aici statisticile sitului pentru azi. Configurează statisticile sitului în aplicația WordPress."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Afișează o listă cu toate paginile."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Afișează o listă cu cele mai recente comentarii."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Informații de contact domeniu"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Afișează o listă cu ultimele articole, exceptând articolele reprezentative."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Proprietarii de domenii trebuie să partajeze informațiile de contact într-o bază de date publică a tuturor domeniilor. Cu protecția de confidențialitate, publicăm propriile informații în loc de ale tale și îți trimitem privat toate comunicările."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Afișează o listă cu cele mai recente articole."; -/* Title for the Domains list */ -"Domains" = "Domenii"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Afișează o arhivă lunară a articolelor tale."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Nu ai un cont? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Afișează categoriile unui articol."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Gata"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Afișează numărul de comentarii la un articol."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Nu-ți faci griji pentru nimic"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Afișează formularul de comentarii al unui articol."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Afișează comentariile la un articol."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Afișează rezumatul unui articol."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Afișează imaginea reprezentativă a unui articol."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Afișează etichetele unui articol."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Afișează un icon care se leagă la un profil sau un sit web din media socială."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Afișează ca listă derulantă"; + +/* No comment provided by engineer. */ +"Display author" = "Afișează autorul"; + +/* No comment provided by engineer. */ +"Display avatar" = "Afișează avatarul"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Afișează fragmente de cod care respectă spațierea și filele."; + +/* No comment provided by engineer. */ +"Display date" = "Afișează data"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Afișează intrările din toate fluxurile RSS sau Atom."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Afișează rezumatul"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Afișează iconuri care se leagă la profilurile sau siturile tale web din media socială."; + +/* No comment provided by engineer. */ +"Display login as form" = "Afișează autentificarea ca un formular"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Afișează mai multe imagini într-o galerie bogată."; + +/* No comment provided by engineer. */ +"Display post date" = "Afișează data articolului"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Afișează titlul arhivei în funcție de obiectului cerut."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Afișează descrierea categoriilor, etichetelor și taxonomiilor personalizate la vizualizarea unei arhive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Afișează titlul interogării."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Afișează titlul ca o legătură"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Afișează aici toate statisticile sitului. Configurează statisticile sitului în aplicația WordPress."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Îți afișează aici statisticile sitului pentru această săptămână. Configurează statisticile sitului în aplicația WordPress."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Îți afișează aici statisticile sitului pentru azi. Configurează statisticile sitului în aplicația WordPress."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Afișează o listă cu numere de pagină pentru paginație"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Afișează o listă de articole în urma unei interogări."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Afișează o navigare cu pagini pentru următorul\/precedentul set de articole, când se poate aplica."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Afișează și permite editarea numelui sitului. De obicei, titlul sitului apare în bara cu titluri ale navigatoarelor, în rezultatele de căutare și multe altele. Titlul este disponibil și în Setări > Generale."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Afișează conținutul unui articol sau a unei pagini."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Afișează legătura la comentariile la articolul curent."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Afișează legătura la articolul următor sau anterior care este adiacent la articol."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Afișează legătura la pagina cu articolele următoare."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Afișează legătura la articolul care urmează după articolul curent."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Afișează legătura la articolul care precede articolul curent."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Afișează legătura la pagina cu articolele anterioare."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Afișează titlul unui articol, unei pagini sau oricărui alt tip de conținut."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Informații de contact domeniu"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Proprietarii de domenii trebuie să partajeze informațiile de contact într-o bază de date publică a tuturor domeniilor. Cu protecția de confidențialitate, publicăm propriile informații în loc de ale tale și îți trimitem privat toate comunicările."; + +/* Title for the Domains list */ +"Domains" = "Domenii"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Nu ai un cont? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Gata"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Nu-ți faci griji pentru nimic"; + +/* No comment provided by engineer. */ +"Dots" = "Puncte"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Atinge de două ori și ține apăsat pentru a muta acest element de meniu în sus sau în jos"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Atinge de două ori pentru a deschide foaia Acțiuni pentru a edita, înlocui sau șterge imaginea"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Atinge de două ori pentru a deschide Foaia acțiuni cu opțiunile disponibile"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Atinge de două ori pentru a deschide foaia Jos pentru a edita, înlocui sau șterge imaginea"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Atinge de două ori pentru a deschide Foaia de jos cu opțiunile disponibile"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Atinge de două ori pentru a reface ultima modificare"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Descarcă copia de siguranță"; +/* No comment provided by engineer. */ +"Download button settings" = "Setări buton de descărcare"; + +/* No comment provided by engineer. */ +"Download button text" = "Text pentru butonul de descărcare"; + /* Title for the button that will download the backup file. */ "Download file" = "Descarcă fișierul"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Descarcă șabloanele și părțile de șablon."; + /* Label for number of file downloads. */ "Downloads" = "Descărcări"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Ciorne"; +/* No comment provided by engineer. */ +"Drop cap" = "Letrină"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Fă duplicat"; -/* No comment provided by engineer. */ -"Duplicate block" = "Fă un duplicat al blocului"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nFereastră, foarte mică în depărtare, luminată.\nÎn jurul ei este un ecran aproape complet negru. Acum, pe măsură ce camera se deplasează încet spre fereastră, care seamănă un timbru poștal încadrat, apar alte forme;"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Est"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Editează blocul %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Editează %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Editează un cuvânt din Lista blocări"; @@ -2234,12 +2671,24 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editează articolul"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Editează URL-ul RSS"; + +/* No comment provided by engineer. */ +"Edit URL" = "Editează URL-ul"; + /* No comment provided by engineer. */ "Edit file" = "Editează fișierul"; /* No comment provided by engineer. */ "Edit focal point" = "Editează punctul central"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Editează imaginea din galerie"; + +/* No comment provided by engineer. */ +"Edit image" = "Editează imaginea"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Editează articole și pagini noi cu editorul de blocuri."; @@ -2249,9 +2698,15 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editare butoane de partajare"; +/* No comment provided by engineer. */ +"Edit table" = "Editează tabelul"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Mai întâi, editează articolul"; +/* No comment provided by engineer. */ +"Edit track" = "Editează fișierul muzical"; + /* No comment provided by engineer. */ "Edit using web editor" = "Editează folosind editorul web"; @@ -2308,6 +2763,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email trimis!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Înglobează conținut Amazon Kindle."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Înglobează conținut Cloudup."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Înglobează conținut CollegeHumor."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Înglobează conținut Crowdsignal (fostul Polldaddy)."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Înglobează conținut Flickr."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Înglobează conținut Imgur."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Înglobează conținut Issuu."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Înglobează conținut Kickstarter."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Înglobează conținut Meetup.com."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Înglobează conținut Mixcloud."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Înglobează conținut ReverbNation."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Înglobează conținut Screencast."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Înglobează conținut Scribd."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Înglobează conținut Slideshare."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Înglobează conținut SmugMug."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Înglobează conținut SoundCloud."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Înglobează conținut Speaker Deck."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Înglobează conținut Spotify."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Înglobează un video Dailymotion."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Înglobează un articol Facebook."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Înglobează un fir de discuții Reddit."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Înglobează un video TED."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Înglobează un video TikTok."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Înglobează un articol Tumblr."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Înglobează un video VideoPress."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Înglobează un video Vimeo."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Înglobează un articol WordPress."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Înglobează un video WordPress.tv."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Înglobează un video YouTube."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Înglobează un player audio simplu."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Înglobează un twit."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Înglobează un video din biblioteca media sau încarcă unul nou."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Înglobează un video Animoto."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Înglobează un articol Instagram."; + +/* translators: %s: filename. */ +"Embed of %s." = "Înglobează %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Înglobează fișierul PDF selectat."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Conținut înglobat din %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Conținutul înglobat de pe %s nu poate fi previzualizat în editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Înglobez..."; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Golire"; @@ -2315,6 +2887,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL gol"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Bloc gol; începe să scrii sau tastează „\/” (slash) pentru a alege un bloc"; + /* Button title for the enable site notifications action. */ "Enable" = "Activează"; @@ -2336,9 +2911,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Dată de încheiere"; +/* No comment provided by engineer. */ +"English" = "Engleză"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Intră pe ecran complet"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Introdu URL-ul aici..."; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Introdu URL-ul pentru a îngloba aici..."; + /* Enter a custom value */ "Enter a custom value" = "Introdu o valoare personalizată"; @@ -2348,6 +2932,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Introdu o parolă pentru a proteja acest articol"; +/* No comment provided by engineer. */ +"Enter address" = "Introdu adresa"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Introdu cuvinte diferite mai sus și vom căuta o adresă care se potrivește cu ele."; @@ -2384,6 +2971,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Introdu datele de conectare la server pentru a activa pe sit restaurările cu un singur clic din copiile tale de siguranță."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Pentru a înlătura amenințarea, introdu datele de conectare la server."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Pentru a înlătura amenințările, introdu datele de conectare la server."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2474,6 +3067,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Eroare la actualizarea setărilor de accelerare a sitului"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Eveniment"; @@ -2529,6 +3125,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explorează planurile"; +/* No comment provided by engineer. */ +"Export" = "Exportă"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportă conținutul"; @@ -2601,6 +3200,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Imaginea reprezentativă nu s-a încărcat"; +/* No comment provided by engineer. */ +"February 21, 2019" = "21 februarie 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Aduc temele..."; @@ -2639,6 +3241,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tip de fișier"; +/* No comment provided by engineer. */ +"Fill" = "Completează"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Completează cu managerul de parole"; @@ -2668,6 +3273,9 @@ User's First Name */ "First Name" = "Prenume"; +/* No comment provided by engineer. */ +"Five." = "Cinci."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Înlătură-le pe toate"; @@ -2680,6 +3288,9 @@ /* Displays the fixed threats */ "Fixed" = "Înlăturate"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Celule de tabel cu lățime fixă"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Înlătur amenințările..."; @@ -2759,12 +3370,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fotbal"; +/* No comment provided by engineer. */ +"Footer cell text" = "Text pentru celulele din subsol"; + +/* No comment provided by engineer. */ +"Footer label" = "Etichetă subsol"; + +/* No comment provided by engineer. */ +"Footer section" = "Secțiune subsol"; + +/* No comment provided by engineer. */ +"Footers" = "Subsoluri"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pentru comoditate, ți-am completat informațiile de contact din WordPress.com. Te rog să le verifici pentru a te asigura că sunt informațiile corecte pe care vrei să le folosești pentru acest domeniu."; +/* No comment provided by engineer. */ +"Format settings" = "Setări format"; + /* Next web page */ "Forward" = "Înaintează"; +/* No comment provided by engineer. */ +"Four." = "Patru."; + /* Browse free themes selection title */ "Free" = "Gratuit"; @@ -2792,6 +3421,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Text pentru textul asociat din galerie"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Text asociat galerie. %s"; @@ -2835,15 +3467,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Obții un sit care funcționează și rulează"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Inspiră-te"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Preiau informațiile contului"; /* Cancel */ "Give Up" = "Renunț"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Accentuează vizual textul citat. „Citând pe alții, ne cităm pe noi înșine.” - Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Accentuează vizual un citat din textul tău."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dă-i sitului un nume care să-i reflecte personalitatea și subiectul (tema). Prima impresie este foarte importantă!"; +/* No comment provided by engineer. */ +"Global Styles" = "Stiluri globale"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2916,6 +3560,9 @@ /* Post HTML content */ "HTML Content" = "Conținut HTML"; +/* No comment provided by engineer. */ +"HTML element" = "Element HTML"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Antet 1"; @@ -2934,6 +3581,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Antet 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Text pentru celulele din antet"; + +/* No comment provided by engineer. */ +"Header label" = "Etichetă antet"; + +/* No comment provided by engineer. */ +"Header section" = "Secțiune antet"; + +/* No comment provided by engineer. */ +"Headers" = "Anteturi"; + +/* No comment provided by engineer. */ +"Heading" = "Subtitlu"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Subtitlu %d"; + /* H1 Aztec Style */ "Heading 1" = "Subtitlu 1"; @@ -2952,6 +3617,12 @@ /* H6 Aztec Style */ "Heading 6" = "Subtitlu 6"; +/* No comment provided by engineer. */ +"Heading text" = "Text pentru subtitlu"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Înălțime, în pixeli"; + /* Help button */ "Help" = "Ajutor"; @@ -2965,6 +3636,9 @@ /* No comment provided by engineer. */ "Help icon" = "Icon pentru ajutor"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Ajută-ți vizitatorii să-ți găsească conținutul."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Iată ce a realizat articolul până acum."; @@ -2985,6 +3659,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Ascunde tastatura"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Ascunde rezumatul pe pagina cu conținut complet"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3000,6 +3677,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Reșine pentru moderare"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Prima pagină"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3016,6 +3696,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Ura!\nAproape gata"; +/* No comment provided by engineer. */ +"Horizontal" = "Orizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Cum a corectat Jetpack asta?"; @@ -3028,6 +3711,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Îmi place"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "M-au inspirat foarte mult lucrările fotografului Cameron Karsten. Voi încerca aceste tehnici pe viitor"; + /* Title of a button style */ "Icon & Text" = "Icon și text"; @@ -3043,6 +3729,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Dacă continui cu Apple sau Google și nu ai deja un cont WordPress.com, îți creezi un cont și ești de acord cu _Termenii de utilizare ai serviciului_ nostru."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "Dacă ai introdus o etichetă personalizată, ea va fi adăugată înainte de titlu."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Dacă-l înlături pe %1$@, el nu va mai putea accesa acest sit, dar orice conținut creat de %2$@ va rămâne pe sit."; @@ -3082,15 +3771,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Dimensiune imagine"; +/* No comment provided by engineer. */ +"Image caption text" = "Text pentru textul asociat al imaginii"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Text asociat imagine. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Setări imagine"; + /* Hint for image title on image settings. */ "Image title" = "Titlu imagine"; +/* No comment provided by engineer. */ +"Image width" = "Lățime imagine"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagine, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Imagine, dată și titlu"; + /* Undated post time label */ "Immediately" = "Imediat"; @@ -3100,6 +3801,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Explică în câteva cuvinte ce face situl tău."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "Explică în câteva cuvinte despre ce este situl tău."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "Într-un sat din La Mancha, numele său nu îl mai țin minte, au trăit, nu demult, un cavaler cu o lance și un scut, un scutier bătrân, o mârțoagă slăbănoagă și un ogar de vânătoare."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "Citând pe alții, ne cităm pe noi înșine."; + /* Describes a status of a plugin */ "Inactive" = "Inactiv"; @@ -3118,6 +3828,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nume utilizator incorect sau parolă incorectă. Te rog încearcă să-ți introduci din nou detaliile de autentificare."; +/* No comment provided by engineer. */ +"Indent" = "Indentează"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indentează elementele din listă"; + /* Title for a threat */ "Infected core file" = "Fișier din nucleu infectat"; @@ -3149,9 +3865,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserare media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Inserează un tabel pentru partajarea datelor."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Inserează un tabel - este perfect pentru partajarea diagramelor și datelor."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Inserează elemente personalizate suplimentare cu un scurtcod WordPress."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Inserează o imagine pentru a avea o expunere vizuală."; + +/* No comment provided by engineer. */ +"Insert column after" = "Inserează coloană după"; + +/* No comment provided by engineer. */ +"Insert column before" = "Inserează coloană înainte"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Inserează media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Inserează o poezie. Folosește formatele speciale de spațiere. Sau citează versurile cântecului."; + +/* No comment provided by engineer. */ +"Insert row after" = "Inserează rând dedesubt"; + +/* No comment provided by engineer. */ +"Insert row before" = "Inserează rând deasupra"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Inserează cele selectate"; @@ -3188,6 +3931,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalarea primului modul pe sit poate dura până la 1 minut. În această perioadă de timp nu vei putea face modificări pe sit."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introdu secțiuni noi și organizează conținutul pentru a ajuta vizitatorii (și motoarele de căutare) să înțeleagă structura conținutului tău."; + /* Stories intro header title */ "Introducing Story Posts" = "Prezentăm Articole narațiune"; @@ -3237,6 +3983,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Cursiv"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Muzician de jazz"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3249,7 +3998,7 @@ "Jetpack FAQ" = "Întrebări frecvente Jetpack"; /* Description that explains that we are unable to auto fix the threat */ -"Jetpack Scan cannot automatically fix this threat. We suggest that you resolve the threat manually: ensure that WordPress, your theme, and all of your plugins are up to date, and remove the offending code, theme, or plugin from your site." = "Scanarea Jetpack nu poate înlătura automat această amenințare. Îți sugerăm să înlături amenințarea manual: asigură-te că WordPress, tema ta și toate modulele sunt actualizate și înlătură de pe site codul, tema sau modulul care creează probleme."; +"Jetpack Scan cannot automatically fix this threat. We suggest that you resolve the threat manually: ensure that WordPress, your theme, and all of your plugins are up to date, and remove the offending code, theme, or plugin from your site." = "Scanarea Jetpack nu poate înlătura automat această amenințare. Îți sugerăm să înlături amenințarea manual: asigură-te că WordPress, tema ta și toate modulele sunt actualizate și înlătură de pe sit codul, tema sau modulul care creează probleme."; /* Description for a label when the scan has failed Error message shown when the scan start has failed. */ @@ -3311,6 +4060,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Fii la curent cu performanța sitului tău."; +/* No comment provided by engineer. */ +"Kind" = "Gen"; + /* Autoapprove only from known users */ "Known Users" = "Utilizatori știuți"; @@ -3320,11 +4072,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etichetă"; +/* No comment provided by engineer. */ +"Landscape" = "Peisaj"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Limbă"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Etichetă pentru limbă (en, fr etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Mare"; @@ -3336,6 +4094,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Rezumat cu ultimele articole"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Setări ultimele comentarii"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Află mai mult"; @@ -3353,6 +4114,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Află mai mult despre formatarea datei și orei."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Află mai multe despre înglobări"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Află mai multe despre roluri"; @@ -3365,12 +4129,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Iconuri vechi"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Piesă tradițională"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Lasă-ne să ajutăm"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Anunță-mă când este gata!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Nivel %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Nivel %s. Gol."; + /* Title for the app appearance setting for light mode */ "Light" = "Luminoasă"; @@ -3431,6 +4204,21 @@ /* Image link option title. */ "Link To" = "Legătură la"; +/* No comment provided by engineer. */ +"Link color" = "Culoare legătură"; + +/* No comment provided by engineer. */ +"Link label" = "Etichetă legătură"; + +/* No comment provided by engineer. */ +"Link rel" = "Legătură rel"; + +/* No comment provided by engineer. */ +"Link to" = "Legătură la"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Legătură la %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Leagă-te la conținutul existent"; @@ -3439,9 +4227,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Legături în comentarii"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Legături afișate într-o coloană."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Legături afișate într-un rând."; + +/* No comment provided by engineer. */ +"List" = "Listă"; + +/* No comment provided by engineer. */ +"List of template parts" = "Listă cu părți de șablon"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Stil listă"; +/* No comment provided by engineer. */ +"List text" = "Text pentru listă"; + /* Title of the screen that load selected the revisions. */ "Load" = "Încărcare"; @@ -3511,6 +4314,9 @@ Text displayed while loading time zones */ "Loading..." = "Încarc..."; +/* No comment provided by engineer. */ +"Loading…" = "Încarc..."; + /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -3566,6 +4372,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Autentifică-te cu numele de utilizator și parola WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Dezautentificare"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Te dezautentifici de pe WordPress?"; @@ -3573,6 +4382,12 @@ Login Request Expired */ "Login Request Expired" = "Autentificare cerută expirată"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Setări autentificare\/dezautentificare"; + +/* No comment provided by engineer. */ +"Logos Only" = "Numai logouri"; + /* No comment provided by engineer. */ "Logs" = "Jurnale"; @@ -3582,6 +4397,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Se pare că ai inițializat Jetpack pe situl tău. Felicitări! Autentifică-te cu datele tale de conectare WordPress.com pentru a activa statisticile și notificările."; +/* No comment provided by engineer. */ +"Loop" = "Buclă"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Ai uitat parola?"; @@ -3591,6 +4412,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigare principală"; +/* No comment provided by engineer. */ +"Main color" = "Culoare principală"; + +/* No comment provided by engineer. */ +"Make template part" = "Creează o parte de șablon"; + +/* No comment provided by engineer. */ +"Make title a link" = "Fă din titlu o legătură"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3649,12 +4479,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Leagă conturile folosind adrese de email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Dimensiune maximă imagine la încărcare"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Dimensiune maximă de încărcare video"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Număr maxim de cuvinte în rezumat"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "7 mai 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3691,15 +4530,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Încărcări media"; +/* No comment provided by engineer. */ +"Media area" = "Zonă media"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media nu are un fișier asociat pentru a-l încărca."; +/* No comment provided by engineer. */ +"Media file" = "Fișier media"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Dimensiunea fișierului media (%1$@) este prea mare pentru încărcare. Dimensiunea maximă permisă este de %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Previzualizarea media a eșuat."; +/* No comment provided by engineer. */ +"Media settings" = "Setări media"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media încărcată (%ld fișier)"; @@ -3747,6 +4595,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitorizează timpul de funcționare al sitului tău"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc apare - întotdeauna, înzăpezit și senin."; + /* Title of Months stats filter. */ "Months" = "Luni"; @@ -3777,6 +4628,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Mai multe pe WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "Mai multe unelte și opțiuni"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Cea mai populară oră"; @@ -3813,6 +4667,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Mută în jos"; +/* No comment provided by engineer. */ +"Move image backward" = "Mută imaginea înapoi"; + +/* No comment provided by engineer. */ +"Move image forward" = "Mută imaginea înainte"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Mută elementul de meniu"; @@ -3838,9 +4698,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Mută comentariul la gunoi."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Muzee de văzut în Londra"; + /* An example tag used in the login prologue screens. */ "Music" = "Muzică"; +/* No comment provided by engineer. */ +"Muted" = "Fără sunet"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Profilul meu"; @@ -3861,6 +4727,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Tichetele mele"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "Primele zece cafenele, pe gustul meu"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nume"; @@ -3877,6 +4749,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navighează pentru a personaliza gradientul"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigare (orizontală)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigare (verticală)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Ai nevoie de ajutor?"; @@ -3899,6 +4777,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Cuvânt nou în Lista blocări"; +/* No comment provided by engineer. */ +"New Column" = "Coloană nouă"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Iconuri noi și personalizate pentru aplicație"; @@ -3923,6 +4804,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Articole noi"; +/* No comment provided by engineer. */ +"New template part" = "Parte de șablon nouă"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Cele mai noi"; @@ -3935,15 +4819,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Următorul"; +/* No comment provided by engineer. */ +"Next Page" = "Pagina următoare"; + /* Table view title for the quick start section. */ "Next Steps" = "Pașii următori"; /* Accessibility label for the next notification button */ "Next notification" = "Notificare următoare"; +/* No comment provided by engineer. */ +"Next page link" = "Legătură la pagina următoare"; + /* Accessibility label */ "Next period" = "Perioada următoare"; +/* No comment provided by engineer. */ +"Next post" = "Articolul următor"; + /* Label for a cancel button */ "No" = "Nu"; @@ -3960,6 +4853,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nicio conexiune"; +/* No comment provided by engineer. */ +"No Date" = "Fără dată"; + /* List Editor Empty State Message */ "No Items" = "Nu sunt elemente"; @@ -4012,6 +4908,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Niciun comentariu până acum"; +/* No comment provided by engineer. */ +"No comments." = "Niciun comentariu."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4120,6 +5019,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Niciun articol."; +/* No comment provided by engineer. */ +"No preview available." = "Nicio previzualizare disponibilă."; + /* A message title */ "No recent posts" = "Niciun articol recent"; @@ -4182,9 +5084,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Nu ai găsit emailul? Uită-te și în dosarele Spam sau Junk."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Notă: redarea automată a fișierelor audio poate provoca probleme de utilizabilitate pentru unii vizitatori."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Notă: redarea automată a videourilor poate provoca probleme de utilizabilitate pentru unii vizitatori."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Notă: aranjamentul pe coloane poate varia în funcție de temă și dimensiunile ecranului"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Notă: majoritatea navigatoarelor pentru telefoane mobile și tablete nu vor afișa PDF-urile înglobate."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "N-am găsit nimic."; @@ -4226,6 +5137,9 @@ /* Register Domain - Address information field Number */ "Number" = "Număr"; +/* No comment provided by engineer. */ +"Number of comments" = "Număr de comentarii"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Listă numerotată"; @@ -4282,6 +5196,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Buton One Password"; +/* No comment provided by engineer. */ +"One column" = "O coloană"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "Unul dintre cele mai grele lucruri de înfăptuit în tehnologie este să te distrugi singur."; + +/* No comment provided by engineer. */ +"One." = "Unu."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Vezi numai statisticile cele mai relevante. Adaugă Perspective care se potrivesc cu nevoile tale."; @@ -4300,9 +5223,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hopa!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Deschide meniul acțiuni blocuri"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Deschide setări dispozitiv"; @@ -4316,6 +5236,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Deschide WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Deschide navigarea în blocuri"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Deschide selectorul media complet"; @@ -4361,9 +5284,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Sau autentifică-te prin _introducerea adresei sitului tău_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordonată"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Listă ordonată"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Setări listă ordonată"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organizație"; @@ -4395,9 +5324,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Alte situri"; +/* No comment provided by engineer. */ +"Outdent" = "Anulează indentarea"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Anulează indentarea elementelor din listă"; + +/* No comment provided by engineer. */ +"Outline" = "Contur"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Contramandată"; +/* No comment provided by engineer. */ +"PDF embed" = "Înglobare PDF"; + +/* No comment provided by engineer. */ +"PDF settings" = "Setări PDF"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -4405,6 +5349,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagină"; +/* No comment provided by engineer. */ +"Page Link" = "Legătură la pagină"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagină restaurată la ciorne"; @@ -4418,6 +5365,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Setări pagină"; +/* No comment provided by engineer. */ +"Page break" = "Sfârșit de pagină"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Bloc Sfârșit de pagină. %s"; @@ -4460,6 +5410,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginare"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraf"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Bloc paragraf"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categorie părinte"; @@ -4489,7 +5445,7 @@ "Paste URL" = "Plasează URL-ul"; /* No comment provided by engineer. */ -"Paste block after" = "Plasează blocul după"; +"Paste a link to the content you want to display on your site." = "Plasează o legătură la conținutul pe care vrei să-l afișezi pe situl tău."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Plasează fără formatare"; @@ -4537,6 +5493,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Alege aranjamentul preferat pentru prima pagină. Îl poți edita sau personaliza mai târziu."; +/* No comment provided by engineer. */ +"Pill Shape" = "Formă de pastilă"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4544,9 +5503,15 @@ Title for the plan selector */ "Plans" = "Planuri"; +/* No comment provided by engineer. */ +"Play inline" = "Redare în-linie"; + /* User action to play a video on the editor. */ "Play video" = "Rulează videoul"; +/* No comment provided by engineer. */ +"Playback controls" = "Comenzi redare"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Te rog adaugă ceva conținut înainte de a încerca să publici."; @@ -4690,17 +5655,50 @@ /* Section title for Popular Languages */ "Popular languages" = "Limbi populare"; +/* No comment provided by engineer. */ +"Portrait" = "Portret"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Articol"; /* Title for selecting categories for a post */ -"Post Categories" = "Categorii articole"; +"Post Categories" = "Categorii articol"; + +/* No comment provided by engineer. */ +"Post Comment" = "Publică comentariul"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Autor comentariu la articol"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Conținut comentariu la articol"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Dată comentariu la articol"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Bloc Număr de comentarii la articol: articol negăsit."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Formular de comentarii la articol"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Bloc Formular de comentarii la articol: comentariile nu sunt activate pentru acest tip de articol."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Bloc Formular de comentarii la articol: nu sunt permise comentarii la acest articol."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Bloc Legătură la comentarii la articol: articol negăsit."; /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format articol"; +/* No comment provided by engineer. */ +"Post Link" = "Legătură la articol"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Articol restaurat la schiță"; @@ -4720,6 +5718,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Publicat de %1$@, din %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Bloc Comentarii la articol: niciun articol găsit."; + +/* No comment provided by engineer. */ +"Post content settings" = "Setări conținut articol"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Articol creat pe %@"; @@ -4729,6 +5733,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Articolul a eșuat la încărcare"; +/* No comment provided by engineer. */ +"Post meta settings" = "Setări metadate articol"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Articol mutat la gunoi."; @@ -4771,6 +5778,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicat în %1$@, la %2$@, de %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Imagine poster"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Activitate de publicare"; @@ -4781,6 +5791,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Articole"; +/* No comment provided by engineer. */ +"Posts List" = "Listă articole"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Pagină articole"; @@ -4807,6 +5820,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Propulsat de Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Text pentru pre-formatat"; + +/* No comment provided by engineer. */ +"Preload" = "Pre-încarcă"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4839,12 +5858,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Previzualizează-ți noul sit pentru a înțelege ceea ce vor vedea vizitatorii tăi."; +/* No comment provided by engineer. */ +"Previous Page" = "Pagina anterioară"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Notificare anterioară"; +/* No comment provided by engineer. */ +"Previous page link" = "Legătură la pagina anterioară"; + /* Accessibility label */ "Previous period" = "Perioada anterioară"; +/* No comment provided by engineer. */ +"Previous post" = "Articolul anterior"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sit primar"; @@ -4897,6 +5925,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Proiecte"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Îndeamnă vizitatorii să acționeze printr-o legătură de tip buton."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Îndeamnă vizitatorii să acționeze printr-un grup de legături de tip buton."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Acest tip nu este acceptat."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -4968,6 +6005,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Public..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Cumpărături"; @@ -4983,12 +6026,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Notificările imediate au fost dezactivate în setările iOS. Comută pe „Permite notificări” pentru a le activa din nou."; +/* No comment provided by engineer. */ +"Query Title" = "Titlu interogare"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Inițiere rapidă"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "Setări RSS"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Evaluează-ne în App Store"; +/* No comment provided by engineer. */ +"Read more" = "Citește mai mult"; + +/* No comment provided by engineer. */ +"Read more link text" = "Text pentru legătura Citește mai mult"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Citește pe"; @@ -5042,6 +6103,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconectat"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirecționează la URL-ul actual"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referință"; @@ -5081,6 +6145,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Articole similare afișează conținut relevant de pe situl tău sub articolele tale"; +/* No comment provided by engineer. */ +"Release Date" = "Data lansării"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5134,6 +6201,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Înlătură acest articol din articolele mele salvate."; +/* No comment provided by engineer. */ +"Remove track" = "Înlătură fișierul muzical"; + /* User action to remove video. */ "Remove video" = "Înlătură videoul"; @@ -5158,6 +6228,9 @@ /* No comment provided by engineer. */ "Replace file" = "Înlocuiește fișierul"; +/* No comment provided by engineer. */ +"Replace image" = "Înlocuiește imaginea"; + /* No comment provided by engineer. */ "Replace image or video" = "Înlocuiește imaginea sau videoul"; @@ -5231,6 +6304,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionare și decupare"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Redimensionează pentru dispozitive mai mici"; + /* The largest resolution allowed for uploading */ "Resolution" = "Rezoluție"; @@ -5255,6 +6331,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restaurează situl"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restaurează șablonul la valorile implicite ale temei"; + /* Button title for restore site action */ "Restore to this point" = "Restaurează la acest punct"; @@ -5307,6 +6386,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Blocurile reutilizabile nu pot fi editate pe WordPress pentru iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Inversează numerotarea listei"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Rrenunță la modificare în așteptare"; @@ -5330,6 +6412,12 @@ User's Role */ "Role" = "Rol"; +/* No comment provided by engineer. */ +"Rotate" = "Rotește"; + +/* No comment provided by engineer. */ +"Row count" = "Număr de rânduri"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS trimis"; @@ -5563,6 +6651,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Selectează stil paragraf"; +/* No comment provided by engineer. */ +"Select poster image" = "Selectează imaginea pentru poster"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Selectează %@ pentru a-ți adăuga conturile din media socială"; @@ -5632,6 +6723,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Trimite notificări imediate"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separă-ți conținutul într-o experiență pe mai multe pagini."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servește imagini de pe serverele noastre"; @@ -5654,6 +6748,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Setează ca pagină articole"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Inițializare"; @@ -5724,6 +6821,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Eroare de partajare"; +/* No comment provided by engineer. */ +"Shortcode" = "Scurtcod"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Text pentru scurtcod"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Arată antet"; @@ -5742,6 +6845,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Arată articole similare"; +/* No comment provided by engineer. */ +"Show download button" = "Arată butonul de descărcare"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Arată înglobarea în-linie"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Arată legăturile pentru autentificare și dezautentificare."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Arată parola"; @@ -5749,6 +6861,9 @@ /* No comment provided by engineer. */ "Show post content" = "Arată conținutul articolului"; +/* No comment provided by engineer. */ +"Show post counts" = "Arată numărul de articole"; + /* translators: Checkbox toggle label */ "Show section" = "Arată secțiunea"; @@ -5761,6 +6876,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Arată numai articolele mele"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Arăt o inițială mare."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Arăt statisticile pentru:"; @@ -5801,7 +6919,10 @@ "Shows the post content" = "Arată conținutul articolului"; /* Accessibility hint for the site name and URL button on Reader's Post Details. */ -"Shows the site's posts." = "Arată articolele site-ului."; +"Shows the site's posts." = "Arată articolele sitului."; + +/* No comment provided by engineer. */ +"Sidebars" = "Bare laterale"; /* View title during the sign up process. */ "Sign Up" = "Înregistrare"; @@ -5836,6 +6957,9 @@ /* Title for the Language Picker View */ "Site Language" = "Limbă sit"; +/* No comment provided by engineer. */ +"Site Logo" = "Logo sit"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5881,12 +7005,22 @@ /* Create new Site Page button title */ "Site page" = "Pagină sit"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Securitate și performanță sit\nle ai în buzunar"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Text pentru slogan sit"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fus orar sit (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titlul sitului a fost modificat cu succes"; +/* No comment provided by engineer. */ +"Site title text" = "Text pentru titlu sit"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Situri"; @@ -5897,6 +7031,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Situri de urmărit"; +/* No comment provided by engineer. */ +"Six." = "Șase."; + /* Image size option title. */ "Size" = "Mărime"; @@ -5923,6 +7060,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Icon social"; + +/* No comment provided by engineer. */ +"Solid color" = "Culoare densă"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Unele încărcări media au eșuat. Această acțiune va înlătura toate elementele media din articol care au eșuat. Salvează oricum?"; @@ -5978,7 +7121,10 @@ "Sorry, that username already exists!" = "Regret, acel nume de utilizator există deja!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Regret, acel nume de utilizator nu este disponibil."; +"Sorry, that username is unavailable." = "Regret, acel nume de utilizator nu este disponibil."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Regret, acest conținut nu a putut fi înglobat."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Regret, numele de utilizator poate conține doar litere mici (a-z) și numere."; @@ -6008,15 +7154,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sortare după"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sortare și filtrare"; + /* Opens the Github Repository Web */ "Source Code" = "Cod sursă"; +/* No comment provided by engineer. */ +"Source language" = "Limbă sursă"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sud"; /* Label for showing the available disk space quota available for media */ "Space used" = "Spațiu folosit"; +/* No comment provided by engineer. */ +"Spacer settings" = "Setări distanțier"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6029,6 +7184,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Accelerează-ți situl"; +/* No comment provided by engineer. */ +"Square" = "Pătrat"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6039,6 +7197,12 @@ Title of Start Over settings page */ "Start Over" = "Începe din nou"; +/* No comment provided by engineer. */ +"Start value" = "Valoare de pornire"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Începe cu blocul pentru construirea întregii narațiuni."; + /* No comment provided by engineer. */ "Start writing…" = "Începe să scrii..."; @@ -6097,6 +7261,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Barare"; +/* No comment provided by engineer. */ +"Stripes" = "Dungi"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Schiță"; @@ -6106,6 +7273,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Trimit pentru recenzie..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitrări"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Indexul spotlight șters cu succes"; @@ -6136,6 +7306,9 @@ View title for Support page. */ "Support" = "Suport"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Comutare sit"; @@ -6178,9 +7351,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Defecțiune în sistem"; +/* No comment provided by engineer. */ +"Table" = "Tabel"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Cuprins"; +/* No comment provided by engineer. */ +"Table settings" = "Setări tabel"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabel arătând %@"; @@ -6194,6 +7376,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etichetă"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Setări nor de etichete"; + +/* No comment provided by engineer. */ +"Tag Link" = "Legătură la etichetă"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Eticheta există deja"; @@ -6290,6 +7478,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Spune-ne ce fel de sit vrei să creezi"; +/* No comment provided by engineer. */ +"Template Part" = "Parte de șablon"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Partea de șablon „%s” a fost inserată."; + +/* No comment provided by engineer. */ +"Template Parts" = "Părți de șablon"; + +/* No comment provided by engineer. */ +"Template part created." = "Parte de șablon creată."; + +/* No comment provided by engineer. */ +"Templates" = "Șabloane"; + +/* No comment provided by engineer. */ +"Term description." = "Descriere termen."; + /* The underlined title sentence */ "Terms and Conditions" = "Termeni și condiții"; @@ -6302,10 +7508,19 @@ /* Title of a button style */ "Text Only" = "Doar text"; +/* No comment provided by engineer. */ +"Text link settings" = "Setări legătură text"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "În schimb, trimite-mi un mesaj text cu un cod"; +/* No comment provided by engineer. */ +"Text settings" = "Setări text"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Mulțumim pentru că ai ales %1$@ de %2$@"; @@ -6360,12 +7575,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Aplicația WordPress pentru Android a primit o mare schimbare de aspect"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "Cei mai buni fani din lume"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Aplicația nu poate recunoaște răspunsul de la server. Te rog verifică configurare pentru situl tău."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certificatul pentru acest server este invalid. E posibil să te conectezi la un server care pretinde doar că e \"%@\" ceea ce poate pune informațiile tale confidențiale în pericol.vvVrei să considerăm oricum valid certificatul?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "URL-ul actual al imaginii poster este %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "Rezumatul este ascuns."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "Rezumatul este vizibil."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Fișierul %1$@ conține un model de cod care poate crea vulnerabilități"; @@ -6454,6 +7681,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoul nu a putut fi adăugat în Biblioteca media."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "Pitulicea
își chivernisește traiul
în liniște."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Temă activată"; @@ -6495,6 +7725,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "E o problemă de conectare la %@. Reconectează-te pentru a continua publicitatea."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "Nu este selectată nicio imagine poster în prezent"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6592,6 +7825,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Această aplicație are nevoie de permisiunea de a accesa biblioteca media de pe dispozitiv pentru a adăuga fotografii și videouri în articolele tale. Te rog schimbă setările de confidențialitate dacă dorești să permiți asta."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "Acest bloc este învechit. Te rog folosește în schimb blocul Coloane."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Acest domeniu nu este disponibil"; @@ -6660,6 +7899,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Amenințarea a fost ignorată."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Trei coloane; împărțite egal"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Trei coloane; coloana din mijloc lată"; + +/* No comment provided by engineer. */ +"Three." = "Trei."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatură"; @@ -6689,9 +7937,21 @@ Title of the new Category being created. */ "Title" = "Titlu"; +/* No comment provided by engineer. */ +"Title & Date" = "Titlu și dată"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Titlu și rezumat"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titlu pentru o categorie este obligatoriu."; +/* No comment provided by engineer. */ +"Title of track" = "Titlul fișierului muzical"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Titlu, dată și rezumat"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Să adaugi poze sau videouri în articolele tale."; @@ -6723,6 +7983,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Pentru a continua cu acest cont Google, mai întâi te rog să te autentifici cu parola WordPress.com. Acest lucru va fi cerut o singură dată."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "Pentru a afișa un comentariu, introdu ID-ul comentariului."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Să faci poze sau videouri pe care să le folosești în articolele tale."; @@ -6740,6 +8003,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Comută sursa HTML"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Comută navigarea"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Comută pentru a arăta o inițială mare."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Comută stilul listei ordonate"; @@ -6785,15 +8054,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total cuvinte"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Fișierele muzicale pot fi subtitrări, texte asociate, capitole sau descrieri. Ele te ajută să-ți faci conținutul mai accesibil pentru o sferă mai mare de utilizatori."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Trafic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transformă %s în"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transformă blocul..."; - /* No comment provided by engineer. */ "Translate" = "Tradu"; @@ -6870,6 +8136,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nume utilizator Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Două coloane; împărțite egal"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Două coloane împărțite: o treime, două treimi"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Două coloane împărțite: două treimi, o treime"; + +/* No comment provided by engineer. */ +"Two." = "Două."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Introdu un cuvânt cheie pentru mai multe idei"; @@ -7097,12 +8375,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sit nenumit"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Listă neordonată"; /* Filters Unread Notifications */ "Unread" = "Necitite"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Fără răspuns"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Modificări nesalvate"; @@ -7115,6 +8399,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Fără titlu"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Parte de șablon fără titlu"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Până la șapte zile de jurnalizare sunt salvate."; @@ -7165,9 +8452,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Încarcă media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Încarcă un fișier sau alege unul din biblioteca media."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Încarcă un icon pentru sit"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Încarcă o imagine sau alege una din biblioteca media și folosește-o ca logo pentru sit."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Încărcare eșuată"; @@ -7225,15 +8518,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Folosește locația curentă"; +/* No comment provided by engineer. */ +"Use URL" = "Folosește URL-ul"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Folosește editorul de blocuri"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Folosește editorul clasic WordPress."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Folosește această legătură pentru a mării numărul de membri din echipa ta fără a fi nevoie să-i inviți individual. Oricine vizitează acest URL va putea să se înscrie în organizația ta, chiar dacă a primit o invitație de la altcineva, deci asigură-te că partajezi legătura cu persoane de încredere."; /* No comment provided by engineer. */ "Use this site" = "Folosește acest sit"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Este util pentru afișarea unui semn sau simbol grafic ori a unui design care să reprezinte situl. După ce logoul sitului este setat, el poate fi refolosit în diferite locuri și diverse șabloane. Nu trebuie confundat cu iconul sitului, care este imaginea mică găsită în panoul de control, filele navigatoarelor, rezultatele publice de căutare etc. și care ajută la recunoașterea unui sit."; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7270,6 +8572,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Confirmă-ți adresa de email - instrucțiunile au fost trimise la %@"; +/* No comment provided by engineer. */ +"Verse text" = "Text pentru vers"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versiune"; @@ -7287,9 +8592,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Este disponibilă versiunea %@"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Previzualizare video indisponibilă"; +/* No comment provided by engineer. */ +"Video caption text" = "Text subtitrare video"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Text asociat video. %s"; @@ -7299,6 +8610,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Exportul videoului anulat."; +/* No comment provided by engineer. */ +"Video settings" = "Setări video"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7346,6 +8660,9 @@ /* Blog Viewers */ "Viewers" = "Vizitatori"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Înălțime spațiu vizibil (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7404,6 +8721,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Temă vulnerabilă: %1$@ (versiunea %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Oare ce făcea, marele zeu Pan,\n Între trestii, în josul râului?\nRăspândea ruină și împrăștia exil,\nVâslea și stropea cu copitele-i de țap\nȘi strivea nuferii aurii care pluteau\n Cu libelulele pe râu."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Administrare WP"; @@ -7425,7 +8745,7 @@ "Warning" = "Avertizare"; /* shown in promotional screens during first launch */ -"Watch readers from around the world read and interact with your site — in real time." = "Urmărești cititorii din întreaga lume care îți citesc situl și interacționează cu el — în timp real."; +"Watch readers from around the world read and interact with your site — in real time." = "Urmărești cititorii din întreaga lume care îți citesc situl și interacționează cu el - în timp real."; /* Caption displayed in promotional screens shown during the login flow. Shown in the prologue carousel (promotional screens) during first launch. */ @@ -7627,7 +8947,7 @@ "We're creating a downloadable backup of your site from %1$@." = "Creăm o copie de siguranță a sitului tău la %1$@, care poate fi descărcată."; /* Title of progress label displayed when a first plugin on a site is almost done installing. */ -"We're doing the final setup—almost done…" = "Facem inițializarea finală — aproape gata..."; +"We're doing the final setup—almost done…" = "Facem inițializarea finală - aproape gata..."; /* Detail text display informing the user that we're fixing threats */ "We're hard at work fixing these threats in the background. In the meantime feel free to continue to use your site as normal, you can check back on progress at any time." = "Lucrăm din greu (în fundal) pentru înlăturarea acestor amenințări. Între timp, îți poți folosi situl așa cum o faci de obicei și poți vedea oricând progresul făcut."; @@ -7645,7 +8965,7 @@ "We've emailed you a signup link to create your new WordPress.com account. Check your email on this device, and tap the link in the email you receive from WordPress.com." = "Ți-am trimis prin email o legătură de înregistrare pentru a-ți crea noul cont WordPress.com. Verifică emailurile primite pe acest dispozitiv și atinge legătura din emailul primit de la WordPress.com."; /* Register Domain - error displayed when a domain was purchased succesfully, but there was a problem setting it to a primary domain for the site */ -"We've had problems changing the primary domain on your site — but don't worry, your domain was successfully purchased." = "Am avut probleme la modificarea domeniului principal pentru situl tău — dar nu-ți face griji, domeniul a fost cumpărat cu succes."; +"We've had problems changing the primary domain on your site — but don't worry, your domain was successfully purchased." = "Am avut probleme la modificarea domeniului principal pentru situl tău - dar nu-ți face griji, domeniul a fost cumpărat cu succes."; /* Account Settings Web Address label */ "Web Address" = "Adresă web"; @@ -7671,6 +8991,9 @@ /* A message title */ "Welcome to the Reader" = "Bine ai venit în cititor"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Bine ai venit în lumea minunată a blocurilor..."; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Bine ai venit la cel mai popular constructor de situri web din lume."; @@ -7760,9 +9083,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Hopa, acesta nu este un cod valid de verificare cu doi-factori. Verifică-ți din nou codul și reîncearcă!"; +/* No comment provided by engineer. */ +"Wide Line" = "Linie lată"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Piese"; +/* No comment provided by engineer. */ +"Width in pixels" = "Lățime, în pixeli"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Nu vor fi afișate public."; @@ -7770,6 +9099,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Cu acest editor puternic poți publica din mers."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Sturz cântând în Central Park, New York."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Setări aplicații WordPress"; @@ -7871,6 +9203,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Scrie un răspuns..."; +/* No comment provided by engineer. */ +"Write code…" = "Scrie codul..."; + +/* No comment provided by engineer. */ +"Write file name…" = "Scrie numele fișierului..."; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Scrie textul asociat pentru galerie..."; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Scrie text pre-formatat..."; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Scrie scurtcodul aici..."; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Scrie sloganul sitului..."; + +/* No comment provided by engineer. */ +"Write site title…" = "Scrie titlul sitului..."; + +/* No comment provided by engineer. */ +"Write title…" = "Scrie titlul..."; + +/* No comment provided by engineer. */ +"Write verse…" = "Scrie versul..."; + /* Title for the writing section in site settings screen */ "Writing" = "Scriere"; @@ -8077,6 +9436,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Adresa sitului tău apare în bara din partea de sus a ecranului când îți vizitezi situl în Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Situl tău nu include suport pentru blocul „%s”. Poți să lași acest bloc intact sau să-l înlături cu totul."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Situl tău nu include suport pentru blocul „%s”. Poți să lași acest bloc intact, să-i convertești conținutul într-un bloc HTML personalizat sau să-l înlături cu totul."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Situl tău nu include suport pentru acest bloc."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Situl tău a fost creat!"; @@ -8122,6 +9490,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Acum folosești editorul de blocuri pentru articole noi - foarte bine! Dacă vrei să treci la editorul clasic, mergi la „Situl meu > „Setări sit”."; +/* No comment provided by engineer. */ +"Zoom" = "Mărește"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMENTARIU]"; @@ -8137,15 +9508,45 @@ /* Age between dates equaling one hour. */ "an hour" = "o oră"; +/* No comment provided by engineer. */ +"archive" = "arhivă"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "citat"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "listă cu buline"; + /* Used when displaying author of a plugin. */ "by %@" = "de %@"; +/* No comment provided by engineer. */ +"cite" = "citează"; + /* The menu item to select during a guided tour. */ "connections" = "conexiuni"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "descriere"; + +/* No comment provided by engineer. */ +"divider" = "separator"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "schiță document"; @@ -8155,26 +9556,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "atinge de două ori pentru a schimba unitatea"; +/* No comment provided by engineer. */ +"download" = "descarcă"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "de exemplu, 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "de exemplu, 44"; +/* No comment provided by engineer. */ +"embed" = "înglobează"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "exemplu.com"; +/* No comment provided by engineer. */ +"feed" = "flux"; + +/* No comment provided by engineer. */ +"find" = "găsește"; + /* Noun. Describes a site's follower. */ "follower" = "urmăritor"; +/* No comment provided by engineer. */ +"form" = "formular"; + +/* No comment provided by engineer. */ +"horizontal-line" = "linie orizontală"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "imagine"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "imaginea %1$d din %2$d din galerie"; + +/* No comment provided by engineer. */ +"images" = "imagini"; + /* Text for related post cell preview */ "in \"Apps\"" = "în \"Apps\""; @@ -8187,24 +9618,120 @@ /* Later today */ "later today" = "azi, mai târziu"; +/* No comment provided by engineer. */ +"link" = "legătură"; + +/* No comment provided by engineer. */ +"links" = "legături"; + +/* No comment provided by engineer. */ +"login" = "autentificare"; + +/* No comment provided by engineer. */ +"logout" = "dezautentificare"; + +/* No comment provided by engineer. */ +"menu" = "meniu"; + +/* No comment provided by engineer. */ +"movie" = "film"; + +/* No comment provided by engineer. */ +"music" = "muzică"; + +/* No comment provided by engineer. */ +"navigation" = "navigare"; + +/* No comment provided by engineer. */ +"next page" = "pagina următoare"; + +/* No comment provided by engineer. */ +"numbered list" = "listă numerotată"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "din"; +/* No comment provided by engineer. */ +"ordered list" = "listă ordonată"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "alte"; +/* No comment provided by engineer. */ +"pagination" = "paginație"; + /* No comment provided by engineer. */ "password" = "parolă"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "număr de telefon"; +/* No comment provided by engineer. */ +"photos" = "fotografii"; + +/* No comment provided by engineer. */ +"picture" = "imagine"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poezie"; + +/* No comment provided by engineer. */ +"post" = "articol"; + +/* No comment provided by engineer. */ +"posts" = "articole"; + +/* No comment provided by engineer. */ +"read more" = "citește mai mult"; + +/* No comment provided by engineer. */ +"recent comments" = "comentarii recente"; + +/* No comment provided by engineer. */ +"recent posts" = "articole recente"; + +/* No comment provided by engineer. */ +"recording" = "înregistrare"; + +/* No comment provided by engineer. */ +"row" = "rând"; + +/* No comment provided by engineer. */ +"section" = "secțiune"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sunet"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitlu"; + /* No comment provided by engineer. */ "summary" = "rezumat"; +/* No comment provided by engineer. */ +"survey" = "sondaj"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "aceste elemente vor fi șterse:"; +/* No comment provided by engineer. */ +"title" = "titlu"; + /* Today */ "today" = "azi"; @@ -8244,6 +9771,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, situri, sit, bloguri, blog"; +/* No comment provided by engineer. */ +"wrapper" = "învelitoare"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "domeniul tău %@ este inițializat acum. Situl tău face tumbe de bucurie!"; @@ -8253,6 +9783,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "- Kobayashi Issa (- 茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domenii"; diff --git a/WordPress/Resources/ru.lproj/Localizable.strings b/WordPress/Resources/ru.lproj/Localizable.strings index fda20defaf24..f4c13d543636 100644 --- a/WordPress/Resources/ru.lproj/Localizable.strings +++ b/WordPress/Resources/ru.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-21 06:28:42+0000 */ +/* Translation-Revision-Date: 2021-05-06 07:51:48+0000 */ /* Plural-Forms: nplurals=3; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : ((n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14)) ? 1 : 2); */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: ru */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d непросмотренных записей"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "Блок %1$s преобразован в %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d из %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s - %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li слов, %2$li символов"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "настройки блока %s"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Блок %s. Пустой"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Блок %s. Блок имеет неверное содержимое."; +/* translators: %s: Number of comments */ +"%s comment" = "Комментариев: %s"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s ярлык"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' полностью не поддерживается"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ строка адреса %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Выбрать -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ \"Блок\" - это абстрактный термин, используемый\n\/\/ для описания единиц разметки, которые\n\/\/ совместно, формируют\n\/\/ контент или макет страницы.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Загружена 1 запись черновика"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Найдена одна возможная угроза"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "менее 1 часа"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Снежный патруль<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "При нажатии на кнопку «Ещё» открывается список кнопок «Поделиться»"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "Календарь записей сайта."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "Облако часто используемых меток."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "Набор блоков, которые позволяют посетителям обойти ваш сайт."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Изображение записи установлено. Нажмите, чтобы изменить его."; /* Title for a threat */ "A file contains a malicious code pattern" = "Файл содержит элемент вредоносного кода"; +/* No comment provided by engineer. */ +"A link to a category." = "Ссылка на рубрику."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "Произвольная ссылка (URL)."; + +/* No comment provided by engineer. */ +"A link to a page." = "Ссылка на страницу."; + +/* No comment provided by engineer. */ +"A link to a post." = "Ссылка на запись."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Ссылка на метку."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Список сайтов на этой учётной записи."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Последовательность шагов позволяющая увеличить аудиторию вашего сайта."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "Один столбец в блоке столбцов."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Метка с именем '%@' уже существует."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "АДРЕС"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "О нас"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Добавить новую карточку статистики"; +/* No comment provided by engineer. */ +"Add Template" = "Добавить шаблон"; + /* No comment provided by engineer. */ "Add To Beginning" = "Добавить в начале"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Добавить тему"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Добавьте блок, который отображает содержимое в нескольких столбцах, а затем добавьте в него любые другие блоки с желаемым содержимым."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Добавляет блок, который выводит содержимое с других сайтов, таких как Twitter, Instagram или YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Добавьте URL пользовательской CSS для загрузки в Чтиве. Если вы используете локальную установку Calypso, то он может выглядеть примерно так: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Добавьте ссылку на скачиваемый файл."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Добавьте страницу, ссылку или другой элемент в навигацию."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Добавить автономный веб-сайт"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Добавить атрибут alt"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Добавьте изображение или видео с текстовым перекрытием — замечательно для заголовков."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Добавьте любую тему"; +/* No comment provided by engineer. */ +"Add caption" = "Добавить подпись"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Добавьте цитату"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Добавьте произвольный код HTML и смотрите на результат в процессе редактирования."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Добавьте изображение (или аватар) для представления этой новой учетной записи."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Добавить блок параграфа"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Добавьте цитату"; + /* Add self-hosted site button */ "Add self-hosted site" = "Добавить автономный веб-сайт"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Добавить метки"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Добавьте текст, который соответствует вашим интервалам и вкладкам, а также позволяет стилизовать."; + +/* No comment provided by engineer. */ +"Add text…" = "Добавить текст…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Добавьте автора этой записи."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Добавьте дату к этой записи."; + /* No comment provided by engineer. */ "Add this email link" = "Добавить ссылку на email"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Добавить ссылку на номер телефона"; +/* No comment provided by engineer. */ +"Add tracks" = "Добавить дорожки"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Добавьте пространство между блоками и настройте его высоту."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Добавление функциональности сайта"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Альбомы"; +/* No comment provided by engineer. */ +"Align column center" = "Выровнять столбец по центру"; + +/* No comment provided by engineer. */ +"Align column left" = "Выровнять столбец по левому краю"; + +/* No comment provided by engineer. */ +"Align column right" = "Выровнять столбец по правому краю"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Выравнивание"; @@ -576,10 +716,10 @@ "Allow this connection to be used by all admins and users of your site." = "Разрешить всем администраторам и посетителям вашего сайта использовать это подключение."; /* Allowlisted IP Addresses Title */ -"Allowlisted IP Addresses" = "Белый список IP"; +"Allowlisted IP Addresses" = "Разрешённые IP-адреса"; /* Jetpack Settings: Allowlisted IP addresses */ -"Allowlisted IP addresses" = "Белый список IP"; +"Allowlisted IP addresses" = "Разрешённые IP-адреса"; /* Instructions for users with two-factor authentication enabled. */ "Almost there! Please enter the verification code from your authenticator app." = "Почти готово! Введите проверочный код из приложения Authenticator."; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Произошла ошибка."; +/* No comment provided by engineer. */ +"An example title" = "Пример названия"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Произошла неизвестная ошибка. Повторите попытку."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Одобрить комментарий."; +/* No comment provided by engineer. */ +"Archive Title" = "Название архива"; + +/* No comment provided by engineer. */ +"Archive title" = "Название архива"; + +/* No comment provided by engineer. */ +"Archives settings" = "Настройки архивов"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Вы уверены, что хотите отменить и удалить изменения?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Вы точно хотите обновить?"; +/* No comment provided by engineer. */ +"Area" = "Область"; + /* An example tag used in the login prologue screens. */ "Art" = "Искусство"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "C 01.08.2018 Facebook более не разрешает напрямую делиться записями в профили Facebook. Связи со страницами FB останутся неизмененными."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Пропорции"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Добавить файл как ссылку"; +/* No comment provided by engineer. */ +"Attachment page" = "Страница вложения"; + /* No comment provided by engineer. */ "Audio Player" = "Аудиоплеер"; +/* No comment provided by engineer. */ +"Audio caption text" = "Текст подписи к аудио"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Подпись к аудиозаписи. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Подпись к аудиозаписи. Пустая"; +/* No comment provided by engineer. */ +"Audio settings" = "Настройки аудио"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Аудио, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Авторы"; +/* No comment provided by engineer. */ +"Auto" = "Авто"; + /* Describes a status of a plugin */ "Auto-managed" = "Автоматическое управление"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Автоматически делиться новыми записями с ваших аккаунтов в соцсетях."; +/* No comment provided by engineer. */ +"Autoplay" = "Автозапуск"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Автообновления"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Цитата"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Блок скопирован"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Блок вырезан"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Блок продублирован"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Блок не может быть отображен внутри себя же."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Редактор блоков включен"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Блок удален или недоступен."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Блокировать попытки несанкционированного входа"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Блок вставлен"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Блок удален"; - -/* No comment provided by engineer. */ -"Block settings" = "Настройки блока"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Блокировать этот веб-сайт"; @@ -936,7 +1097,7 @@ /* Blocklist Title Settings: Comments Blocklist */ -"Blocklist" = "Чёрный список"; +"Blocklist" = "Список блокировки"; /* Opens the WordPress Mobile Blog */ "Blog" = "Блог"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Обозреватель блога"; +/* No comment provided by engineer. */ +"Body cell text" = "Текст ячейки тела содержимого"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Полужирный"; +/* No comment provided by engineer. */ +"Border" = "Граница"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Выделять ветки комментариев на отдельные страницы."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Кратко опишите ссылку, чтобы помочь пользователям с программой чтения с экрана."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Посмотрите все наши темы, чтобы найти свой идеал."; +/* No comment provided by engineer. */ +"Browse all templates" = "Просмотреть все шаблоны."; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Просмотрите все шаблоны. Это откроет меню шаблона на боковой панели навигации."; + +/* No comment provided by engineer. */ +"Browser default" = "Браузер по умолчанию"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Защита от атак методом перебора"; @@ -980,7 +1159,10 @@ "Button Style" = "Стиль кнопки"; /* No comment provided by engineer. */ -"ButtonGroup" = "Группа кнопок"; +"Buttons shown in a column." = "Кнопки, выведенные в колонку."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Кнопки, выведенные в ряд."; /* Label for the post author in the post detail. */ "By " = "Автор:"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Идет подсчет..."; +/* No comment provided by engineer. */ +"Call to Action" = "Призыв к действию"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Камера"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Подпись"; +/* No comment provided by engineer. */ +"Captions" = "Подписи"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Осторожно!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Рубрика"; +/* No comment provided by engineer. */ +"Category Link" = "Ссылка на рубрику"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Отсутствует название рубрики."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Ошибка сертификата"; +/* No comment provided by engineer. */ +"Change Date" = "Изменить дату"; + /* Account Settings Change password label Main title */ "Change Password" = "Изменить пароль"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Переместить блок"; +/* No comment provided by engineer. */ +"Change column alignment" = "Изменить выравнивание столбца"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Не удалось внести изменение."; +/* No comment provided by engineer. */ +"Change heading level" = "Изменение уровня заголовка"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Измените тип устройства для предварительного просмотра"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Смена имени пользователя"; +/* No comment provided by engineer. */ +"Chapters" = "Главы"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Ошибка проверки покупок"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Выберите домен"; +/* No comment provided by engineer. */ +"Choose existing" = "Выбрать существующий"; + /* No comment provided by engineer. */ "Choose file" = "Выбрать файл"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Очистить старые журналы активности?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Сбросить персонализированные настройки"; + /* No comment provided by engineer. */ "Clear search" = "Очистить поиск"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Закрыть обсуждение"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Закрыть боковую панель глобальных стилей"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Закрыть боковую панель просмотра списка"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Закрыть боковую панель настроек"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Закрыть мой профиль"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Код"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Код — это поэзия."; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Свернуто, %i задач завершено, можно развернуть список этих задач"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Цветные фоны"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Текст столбца %d"; + +/* No comment provided by engineer. */ +"Column count" = "Количество столбцов"; + +/* No comment provided by engineer. */ +"Column settings" = "Настройки столбцов"; + +/* No comment provided by engineer. */ +"Columns" = "Столбцы"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Объединить блоки в группу."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Комбинируйте фото, видео и текст для создания захватывающих историй с переходами, они обязательно полюбятся вашим посетителям."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Подключения"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Обратная связь"; + /* Support email label. */ "Contact Email" = "Контактный адрес эл.почты"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Обратиться в службу поддержки"; +/* No comment provided by engineer. */ +"Contact us" = "Связаться с нами"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Свяжитесь с нами, написав на %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Структура содержимого\nБлоки: %1$li, Слова: %2$li, Символы: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Содержимое до этого блока будет показано как отрывок на странице архивов."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Продолжить"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Продолжить с WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Продолжить работу"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Продолжение через Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Преобразовать в блоки"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Преобразовать в упорядоченный список"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Преобразовать в неупорядоченный список"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Кулинария"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "URL скопирован в буфер обмена."; + /* No comment provided by engineer. */ "Copied block" = "Скопированный блок"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Скопировать ссылку в комментарий"; /* No comment provided by engineer. */ -"Copy block" = "Копировать блок"; +"Copy URL" = "Копировать URL"; /* No comment provided by engineer. */ "Copy file URL" = "Скопировать URL файла"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Не удалось проверить покупки."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Невозможно отредактировать изображение. %s"; + /* Title of a prompt. */ "Could not follow site" = "Не удалось подписаться на веб-сайт"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Создать запись-историю"; +/* No comment provided by engineer. */ +"Create Table" = "Создать таблицу"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Создать сайт на WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Создать метку"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Создайте промежуток между идеями или разделами с помощью горизонтального разделителя."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Создать маркированый или нумерованый список."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Создание нового сайта"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Создайте новый сайт для вашего бизнеса, журнал или персональный блог; или подключите имеющуюся установку WordPress."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Создайте новую часть шаблона или выберите существующую из списка."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Создать запись или страницу"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Создать запись, страницу или историю"; +/* No comment provided by engineer. */ +"Create a template part" = "Создать часть шаблона"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Создавайте и сохраняйте содержимое для повторного использования на вашем сайте. Обновите блок, и изменения будут применены повсюду, где он используется."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Создание резервной копии для скачивания"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Ведётся восстановление: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Произвольная ссылка"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Пользовательское сообщение..."; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Настройте уведомления об оценках, комментариях, подписках и так далее."; -/* No comment provided by engineer. */ -"Cut block" = "Вырезать блок"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Тёмное оформление"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "Декабрь 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "6 декабря 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "По умолчанию"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL по умолчанию"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "По умолчанию в зависимости от области (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Параметры по умолчанию для новых записей"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Удалить сведения об ошибке на сайте"; +/* No comment provided by engineer. */ +"Delete column" = "Удалить столбец"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Удалить меню"; +/* No comment provided by engineer. */ +"Delete row" = "Удалить строку"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Удалить эту метку"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Описание"; +/* No comment provided by engineer. */ +"Descriptions" = "Описания"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Оформление"; /* Title for the desktop web preview */ "Desktop" = "ПК"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Отделить блоки от частей шаблона"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Подробности"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Отображаемое имя"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Показ статистики сайта за всё время. Настройте в приложении WordPress в разделе статистики."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Показать устаревший виджет."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Настройте отображение статистики сайта за неделю здесь. Настройте в приложении WordPress в статистике сайта."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Показ списка всех рубрик."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Настройте отображение текущей статистики сайта здесь. Настройте в приложении WordPress в статистике сайта."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Показ списка всех страниц."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Документ: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Показ списка последних комментариев."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Контактная информация для домена"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Показ списка последних записей, исключая прикреплённые."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Владельцы доменов должны делиться контактной информацией для публичной базы данных по всем доменам. С защитой персональных данных мы публикуем нашу информацию вместо вашей и перенаправляем вам все сообщения приватным образом."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Показ списка последних записей."; -/* Title for the Domains list */ -"Domains" = "Домены"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Показывать архивы записей за месяц."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Нет учетной записи? _Зарегистрироваться_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Отображение рубрик записи."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Готово"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Отображение количества комментариев к записи."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Ни о чем не волнуйтесь"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Отображение формы комментариев к записи."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Отображение комментариев к записи."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Показать отрывок записи."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Показ изображения записи."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Показать метки записи."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Отображение значка, ссылающегося на профиль в социальных сетях или веб-сайт."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Показывать выпадающим списком"; + +/* No comment provided by engineer. */ +"Display author" = "Показывать автора"; + +/* No comment provided by engineer. */ +"Display avatar" = "Показывать аватар"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Показ фрагментов кода с соблюдением интервалов и табуляции."; + +/* No comment provided by engineer. */ +"Display date" = "Показывать дату"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Показывать элементы из любой RSS- или Atom-ленты."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Показывать отрывок"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Отображение значков, ссылающихся на ваши профили в социальных сетях или веб-сайты."; + +/* No comment provided by engineer. */ +"Display login as form" = "Показывать вход на сайт в виде формы"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Показывать несколько изображений в роскошной галерее."; + +/* No comment provided by engineer. */ +"Display post date" = "Показывать дату записи"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Показывать заголовок архива на основе запрошенного объекта."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Показывать описания рубрик, меток и пользовательских таксономий при просмотре архива."; + +/* No comment provided by engineer. */ +"Display the query title." = "Показывать заголовок запроса."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Отображение заголовка в виде ссылки"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Показ статистики сайта за всё время. Настройте в приложении WordPress в разделе статистики."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Настройте отображение статистики сайта за неделю здесь. Настройте в приложении WordPress в статистике сайта."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Настройте отображение текущей статистики сайта здесь. Настройте в приложении WordPress в статистике сайта."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Показывать список нумерации страниц при использовании разбиения на страницы"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Показывать список записей как результат запроса."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Если доступно, показывать постраничную навигацию далее\/назад для набора записей."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Отображает и позволяет редактировать название сайта. Название сайта обычно отображается в строке заголовка браузера, в результатах поиска и т. д. Также доступно в меню Настройки > Общие."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Отображает содержимое записи или страницы."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Отрбражает ссылку на комментарии к текущей записи."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Отображает ссылку на следующую или предыдущую запись, расположенную рядом с текущей записью."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Отображает ссылку на следующую страницу записей."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Отображает ссылку на следующую (по отношению к текущей) запись."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Отображает ссылку на предыдущую (по отношению к текущей) запись."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Отображает ссылку на предыдущую страницу записей."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Показ названия записи, страницы или другого типа содержимого."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Документ: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Контактная информация для домена"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Владельцы доменов должны делиться контактной информацией для публичной базы данных по всем доменам. С защитой персональных данных мы публикуем нашу информацию вместо вашей и перенаправляем вам все сообщения приватным образом."; + +/* Title for the Domains list */ +"Domains" = "Домены"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Нет учетной записи? _Зарегистрироваться_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Готово"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Ни о чем не волнуйтесь"; + +/* No comment provided by engineer. */ +"Dots" = "Точки"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Нажмите дважды и удерживайте для перемещения элемента меню выше или ниже"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Нажмите дважды, чтобы открыть список действий для редактирования, замены или очистки изображения."; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Нажмите дважды для того, чтобы открыть панель действий с доступными возможностями"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Нажмите дважды, чтобы открыть нижний список действий для редактирования, замены или очистки изображения."; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Нажмите дважды для того, чтобы открыть нижнюю панель действий с доступными возможностями"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Нажмите дважды для повторения последнего изименения"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Скачать резервную копию"; +/* No comment provided by engineer. */ +"Download button settings" = "Настройки кнопки скачивания"; + +/* No comment provided by engineer. */ +"Download button text" = "Текст кнопки скачать"; + /* Title for the button that will download the backup file. */ "Download file" = "Скачать файл"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Cкачайте свои шаблоны и части шаблонов."; + /* Label for number of file downloads. */ "Downloads" = "Загрузки"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Черновики"; +/* No comment provided by engineer. */ +"Drop cap" = "Буквица"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Дублировать"; -/* No comment provided by engineer. */ -"Duplicate block" = "Дублировать блок"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nОкно,очень маленькое вдалеке, освещено.\nВсе вокруг - это почти полностью черный экран. Теперь, когда камера медленно движется к окну, которое является почти почтовой маркой в кадре, появляются другие формы;"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "восток"; @@ -2217,8 +2651,11 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Редактировать блок %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Редактировать %s"; + /* Blocklist Keyword Edition Title */ -"Edit Blocklist Word" = "Редактировать слова чёрного списка"; +"Edit Blocklist Word" = "Редактировать слово из списка блокировки"; /* No comment provided by engineer. */ "Edit Comment" = "Изменить комментарий"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Редактировать запись"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Редактировать URL RSS-ленты"; + +/* No comment provided by engineer. */ +"Edit URL" = "Редактировать URL"; + /* No comment provided by engineer. */ "Edit file" = "Изменить файл"; /* No comment provided by engineer. */ "Edit focal point" = "Изменить точку фокусировки"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Редактировать изображение галереи"; + +/* No comment provided by engineer. */ +"Edit image" = "Редактировать изображение"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Редактировать новые записи и страницы в редаторе блоков."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Изменить кнопки «Поделиться»"; +/* No comment provided by engineer. */ +"Edit table" = "Редактировать таблицу"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Сначала отредактируйте запись"; +/* No comment provided by engineer. */ +"Edit track" = "Редактировать дорожку"; + /* No comment provided by engineer. */ "Edit using web editor" = "Редактировать используя веб-редактор"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Письмо отправлено!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Вставить содержимое Amazon Kindle."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Вставить содержимое Cloudup."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Вставить содержимое CollegeHumor."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Вставить содержимое Crowdsignal (ранее Polldaddy)."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Вставить содержимое Flickr."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Вставить содержимое Imgur."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Вставить содержимое Issuu."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Вставить содержимое Kickstarter."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Вставить содержимое Meetup.com."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Вставить содержимое Mixcloud."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Вставить содержимое ReverbNation."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Вставить содержимое Screencast."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Вставить содержимое Scribd."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Вставить содержимое Slideshare."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Вставить содержимое SmugMug."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Вставить содержимое SoundCloud."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Вставить содержимое Speaker Deck."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Вставить содержимое Spotify."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Вставить видео Dailymotion."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Вставить запись Facebook."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Вставить обсуждение Reddit."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Вставить видео TED."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Вставить видео TikTok."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Вставить запись Tumblr."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Вставить видео VideoPress."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Вставить видео Vimeo."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Вставить запись WordPress."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Вставить видео WordPress.tv."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Вставить видео YouTube."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Вставить простой аудиопроигрыватель."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Вставить твит."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Вставьте видео из вашей медиатеки или загрузите новое."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Вставить видео Animoto."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Вставить запись Instagram."; + +/* translators: %s: filename. */ +"Embed of %s." = "Вставка %s"; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Вставка выбранного файла PDF."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Вставленное содержимое с %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Встроенное содержимое из %s невозможно просмотреть в редакторе."; + +/* No comment provided by engineer. */ +"Embedding…" = "Вставка..."; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Пусто"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Пустой URL-адрес"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Пустой блок; начните писать или нажмите прямой слэш (\/) для выбора блока"; + /* Button title for the enable site notifications action. */ "Enable" = "Включить"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Дата окончания"; +/* No comment provided by engineer. */ +"English" = "Английский"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Показать во весь экран"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Введите URL здесь..."; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Укажите URL для вставки..."; + /* Enter a custom value */ "Enter a custom value" = "Введите пользовательское значение"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Введите пароль для защиты этой записи"; +/* No comment provided by engineer. */ +"Enter address" = "Введите адрес"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Введите другие слова выше и мы поищем адреса совпадающие с ними."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Введите учетные данные сервера, чтобы включить восстановление из резервных копий в одно нажатие."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Введите данные для входа на сервер для исправления угрозы."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Введите данные для входа на сервер для исправления угроз."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Ошибка обновления настроек ускорения сайта"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Событие"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Посмотрите тарифы"; +/* No comment provided by engineer. */ +"Export" = "Экспорт"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Экспортировать содержимое"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Избранное изображение не загружено"; +/* No comment provided by engineer. */ +"February 21, 2019" = "21 февраля 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Получение тем…"; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Тип файла"; +/* No comment provided by engineer. */ +"Fill" = "Заполнение"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Заполнить из менеджера паролей"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Имя"; +/* No comment provided by engineer. */ +"Five." = "Пять."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Устранить все"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Исправлено"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Ячейки таблицы фиксированной ширины"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Устранение угроз"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Футбол"; +/* No comment provided by engineer. */ +"Footer cell text" = "Текст ячейки подвала"; + +/* No comment provided by engineer. */ +"Footer label" = "Ярлык подвала"; + +/* No comment provided by engineer. */ +"Footer section" = "Раздел подвала"; + +/* No comment provided by engineer. */ +"Footers" = "Подвалы сайта"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Для вашего удобства, мы заполнили вашу контактную информацию WordPress.com. Пожалуйста, перепроверьте её на корректность, действительно ли вы хотите использовать её для этого домена."; +/* No comment provided by engineer. */ +"Format settings" = "Настройки формата"; + /* Next web page */ "Forward" = "Направить"; +/* No comment provided by engineer. */ +"Four." = "Четыре."; + /* Browse free themes selection title */ "Free" = "Бесплатно"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Текст подписи к галерее"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Подпись галереи. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Запустите ваш сайт"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Вдохновляйтесь"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Получение информации об учетной записи"; /* Cancel */ "Give Up" = "Не отправлять"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Визуально акцентируйте цитируемый текст. \"Цитируя других, мы цитируем себя.\" - Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Визуально акцентируйте цитату из вашего текста."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Первое впечатление важно! Назовите свой сайт так, как это отразит его индивидуальность и содержание."; +/* No comment provided by engineer. */ +"Global Styles" = "Глобальные стили"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML-содержимое"; +/* No comment provided by engineer. */ +"HTML element" = "Элемент HTML"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Заголовок №1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Заголовок №6"; +/* No comment provided by engineer. */ +"Header cell text" = "Текст ячейки заголовка"; + +/* No comment provided by engineer. */ +"Header label" = "Ярлык заголовка"; + +/* No comment provided by engineer. */ +"Header section" = "Раздел заголовка"; + +/* No comment provided by engineer. */ +"Headers" = "Заголовки"; + +/* No comment provided by engineer. */ +"Heading" = "Заголовок"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Заголовок %d"; + /* H1 Aztec Style */ "Heading 1" = "Заголовок 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Заголовок 6"; +/* No comment provided by engineer. */ +"Heading text" = "Текст заголовка"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Высота в пикселях"; + /* Help button */ "Help" = "Помощь"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Значок справки"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Помогите посетителям найти содержимое вашего сайта."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Тут информация о том как поживает ваша запись."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Спрятать клавиатуру"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Скрыть отрывок на полной странице содержимого"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Отправить на модерацию"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Главная"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Ура!\nПочти всё готово"; +/* No comment provided by engineer. */ +"Horizontal" = "Горизонтальный"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Как Jetpack исправил это?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Мне нравится"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Меня восхищают работы фотографа Кэмерона Карстена. Я попробую его техники в будущем"; + /* Title of a button style */ "Icon & Text" = "Значок и текст"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Если вы продолжите работу с учетной записью Apple или Google, не имея учётной записи WordPress.com, вы создадите учётную запись и примете наши _Условия обслуживания_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "Если вы ввели специальный ярлык, он будет добавлен перед заголовком."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Если вы удалите %1$@, он больше не сможет посещать этот сайт, но всё содержимое, созданное %2$@, останется на сайте."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Размер изображения"; +/* No comment provided by engineer. */ +"Image caption text" = "Текст подписи к изображению"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Подпись к изображению. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Настройки изображения"; + /* Hint for image title on image settings. */ "Image title" = "Заголовок изображения"; +/* No comment provided by engineer. */ +"Image width" = "Ширина изображения"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Изображение, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Изображение, дата и заголовок"; + /* Undated post time label */ "Immediately" = "Немедленно"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Объясните в нескольких словах, о чём этот сайт."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "Объясните в нескольких словах, о чём этот сайт."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "В скромной деревушке провинции Ламанчи жил идальго, по имени Дон Кехана. Как и всякий дворянин, он гордился своим благородным происхождением, свято хранил древний щит и родовое копье и держал у себя на дворе тощую клячу и борзую собаку."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "Цитируя других, мы цитируем себя."; + /* Describes a status of a plugin */ "Inactive" = "Неактивен"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Неправильное имя пользователя или пароль. Попробуйте ввести учётные данные ещё раз."; +/* No comment provided by engineer. */ +"Indent" = "Отступ"; + +/* No comment provided by engineer. */ +"Indent list item" = "Добавить отступ к элементу списка"; + /* Title for a threat */ "Infected core file" = "Заражение файла ядра"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Вставить медиафайл"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Создать таблицу для представления данных."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Вставить таблицу — отличный выбор для графиков и данных."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Вставить дополнительные пользовательские элементы с помощью шорткода."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Добавьте изображение для визуального утверждения."; + +/* No comment provided by engineer. */ +"Insert column after" = "Вставить столбец после"; + +/* No comment provided by engineer. */ +"Insert column before" = "Вставить столбец до"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Вставить файл"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Вставить поэтические строфы. Можно использовать специальный формат интервалов или цитировать текст песни."; + +/* No comment provided by engineer. */ +"Insert row after" = "Вставить строку после"; + +/* No comment provided by engineer. */ +"Insert row before" = "Вставить строку до"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Выбрана вставка"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Установка первого плагина на ваш сайт может занять до одной минуты. В это время вы не сможете вносить изменения на свой сайт."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Объявите новые разделы и организуйте содержимое для удобства посетителей (и поисковых систем) в понимании его структуры."; + /* Stories intro header title */ "Introducing Story Posts" = "Представляем записи-истории"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Курсив"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Джазовый музыкант"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Будьте в курсе жизни вашего сайта."; +/* No comment provided by engineer. */ +"Kind" = "Тип"; + /* Autoapprove only from known users */ "Known Users" = "Известные пользователи"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Текст подписи"; +/* No comment provided by engineer. */ +"Landscape" = "Ландшафт"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Язык"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Языковая метка (en, fr и т. д.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Большой"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Сводка по последней записи"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Настройки последних комментариев"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Подробнее"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Узнайте больше о форматировании даты и времени."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Узнать больше о встраивании"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Подробнее о ролях"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Старые значки"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Устаревший виджет"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Обратитесь к нам за помощью."; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Дайте мне знать по завершению!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Уровень %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Уровень %s. Пустой."; + /* Title for the app appearance setting for light mode */ "Light" = "Светлое оформление"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Ссылка"; +/* No comment provided by engineer. */ +"Link color" = "Цвет ссылки"; + +/* No comment provided by engineer. */ +"Link label" = "Ярлык ссылки"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Ссылка на"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Ссылка на %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Ссылка на имеющееся содержимое"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Ссылки в комментариях"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Ссылки, показанные в столбце."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Ссылки, показанные в строке."; + +/* No comment provided by engineer. */ +"List" = "Список"; + +/* No comment provided by engineer. */ +"List of template parts" = "Список частей шаблона"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Стиль списка"; +/* No comment provided by engineer. */ +"List text" = "Текст списка"; + /* Title of the screen that load selected the revisions. */ "Load" = "Загрузка"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Загрузка..."; +/* No comment provided by engineer. */ +"Loading…" = "Загрузка..."; + /* Status for Media object that is only exists locally. */ "Local" = "Черновики"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Войдите, указав имя пользователя WordPress.com и пароль."; +/* No comment provided by engineer. */ +"Log out" = "Выйти"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Выйти из WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Срок действия запроса истёк"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Настройки входа\/выхода"; + +/* No comment provided by engineer. */ +"Logos Only" = "Только логотипы"; + /* No comment provided by engineer. */ "Logs" = "Логи"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Похоже, на вашем сайте настроен Jetpack. Поздравляем!\nВойдите в систему с использованием ваших учетных данных на WordPress.com ниже, чтобы включить статистику и уведомления. "; +/* No comment provided by engineer. */ +"Loop" = "Цикл"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Забыли пароль?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Меню навигации"; +/* No comment provided by engineer. */ +"Main color" = "Основной цвет"; + +/* No comment provided by engineer. */ +"Make template part" = "Создать часть шаблона"; + +/* No comment provided by engineer. */ +"Make title a link" = "Сделать заголовок ссылкой"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Сопоставить учётные записи, используя адрес электронной почты"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Максимальный размер загружаемого изображения"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Максимальный размер загружаемого видеофайла"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Максимальное количество слов в отрывке"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "7 мая 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Загруженные медиафайлы"; +/* No comment provided by engineer. */ +"Media area" = "Область мультимедиа"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Мультимедиа объект не имеет ассоциированного файла для загрузки."; +/* No comment provided by engineer. */ +"Media file" = "Медиафайл"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Разме медиафайла (%1$@) слишком большой для загрузки, максимально разрешенный - %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Не удалось загрузить медиафайл для предварительного просмотра."; +/* No comment provided by engineer. */ +"Media settings" = "Настройки медиафайлов"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Загружено медиафайлов (%ld)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Контроль бесперебойной работы сайта"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Появляется Монблан - тихий, снежный и безмятежный."; + /* Title of Months stats filter. */ "Months" = "Месяцы"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Подробнее на WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "Больше инструментов и возможностей"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Самое популярное время"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Вниз"; +/* No comment provided by engineer. */ +"Move image backward" = "Переместить изображение назад"; + +/* No comment provided by engineer. */ +"Move image forward" = "Переместить изображение вперёд"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Перемещение элемента меню"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Отправить комментарий в «Корзину»."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Музеи для посещения в Лондоне"; + /* An example tag used in the login prologue screens. */ "Music" = "Музыка"; +/* No comment provided by engineer. */ +"Muted" = "Беззвучно"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Мой профиль"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Мои обращения в поддержку"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "Мой выбор лучших 10 кафе"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Имя"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Переход к настройкам градиента"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Навигация (горизонтальная)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Навигация (вертикальная)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Нужна помощь?"; @@ -3894,7 +4772,10 @@ "New" = "Новые"; /* Blocklist Keyword Insertion Title */ -"New Blocklist Word" = "Новое слово из черного списка"; +"New Blocklist Word" = "Новое слово из списка блокировки"; + +/* No comment provided by engineer. */ +"New Column" = "Новый столбец"; /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Новые пользовательские значки приложения"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Новые записи"; +/* No comment provided by engineer. */ +"New template part" = "Новая часть шаблона"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Новейшее"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Далее"; +/* No comment provided by engineer. */ +"Next Page" = "Следующая страница"; + /* Table view title for the quick start section. */ "Next Steps" = "Следующие шаги"; /* Accessibility label for the next notification button */ "Next notification" = "Следующее уведомление"; +/* No comment provided by engineer. */ +"Next page link" = "Ссылка на следующую страницу"; + /* Accessibility label */ "Next period" = "Следующий период"; +/* No comment provided by engineer. */ +"Next post" = "Следующая запись"; + /* Label for a cancel button */ "No" = "Нет"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Нет соединения"; +/* No comment provided by engineer. */ +"No Date" = "Нет даты"; + /* List Editor Empty State Message */ "No Items" = "Нет элементов"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Комментариев пока нет"; +/* No comment provided by engineer. */ +"No comments." = "Комментариев нет."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Записей нет."; +/* No comment provided by engineer. */ +"No preview available." = "Предварительный просмотр недоступен."; + /* A message title */ "No recent posts" = "Нет свежих записей"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Не нашли письмо? Загляните в папку со спамом."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Внимание: Автовоспроизведение видео может составить проблему для некоторых посетителей."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Внимание: Автовоспроизведение видео может составить проблему для некоторых посетителей."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Заметьте: макет колонок может меняться в зависимости от темы и размера экрана"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Примечание: большинство телефонов и планшетов не отображают встроенные PDF-файлы."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Ничего не найдено."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Номер"; +/* No comment provided by engineer. */ +"Number of comments" = "Количество комментариев"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Нумерованный список"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Кнопка One Password"; +/* No comment provided by engineer. */ +"One column" = "Один столбец"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "Один."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Смотрите только интересующую вас статистику. Добавьте тенденции, которые вам нужны."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Ой!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Открыть меню действий с блоком"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Открыть настройки устройства"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Открыть WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Навигация по открытым блокам"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Открыть инструмент выбора медиафайлов полностью"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Или войдите с _адресом вашего сайта_."; +/* No comment provided by engineer. */ +"Ordered" = "Упорядоченный"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Упорядоченный список"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Настройки упорядоченного списка"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Организация"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Другие сайты"; +/* No comment provided by engineer. */ +"Outdent" = "Обратный отступ"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Обратный отступ для элемента списка"; + +/* No comment provided by engineer. */ +"Outline" = "Контур"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Переопределено"; +/* No comment provided by engineer. */ +"PDF embed" = "Встроенный PDF"; + +/* No comment provided by engineer. */ +"PDF settings" = "Настройки PDF"; + /* Register Domain - Phone number section header title */ "PHONE" = "ТЕЛЕФОН"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Страница"; +/* No comment provided by engineer. */ +"Page Link" = "Ссылка на страницу"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Страница восстановлена в списке \"Черновики\""; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Настройки страницы"; +/* No comment provided by engineer. */ +"Page break" = "Разрыв страницы"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Блок разрыва страницы. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Разбиение на страницы"; +/* No comment provided by engineer. */ +"Paragraph" = "Абзац"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Блок параграфа"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Родительская рубрика"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Вставьте URL"; /* No comment provided by engineer. */ -"Paste block after" = "Вставить блок после"; +"Paste a link to the content you want to display on your site." = "Вставьте ссылку на содержимое, которое вы хотите отобразить на своем сайте."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Вставить без форматирования"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Выберите макет главной страницы. Его можно настроить или изменить позже."; +/* No comment provided by engineer. */ +"Pill Shape" = "Форма таблетки"; + /* The item to select during a guided tour. */ "Plan" = "Тариф"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Тарифные планы"; +/* No comment provided by engineer. */ +"Play inline" = "Проигрывать встроенным"; + /* User action to play a video on the editor. */ "Play video" = "Воспроизвести видео"; +/* No comment provided by engineer. */ +"Playback controls" = "Контроль воспроизведения"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Пожалуйста добавьте что-нибудь в содержимое перед публикацией."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Популярные языки"; +/* No comment provided by engineer. */ +"Portrait" = "Портрет"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Запись"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Рубрики записи"; +/* No comment provided by engineer. */ +"Post Comment" = "Комментарий к записи"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Автор комментария"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Содержимое комментария"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Дата комментария"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Блок подсчета комментариев к записи: записей не найдено."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Форма комментирования записи"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Блок формы комментария: комментарии не включены для этого типа записей."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Блок формы комментирования: комментарии к этой записи не разрешаются."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Блок ссылок для комментариев : запись не найдена."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Формат записи"; +/* No comment provided by engineer. */ +"Post Link" = "Ссылка записи"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Запись восстановлена и перемещена в черновики"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Запись автора %1$@, из %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Блок комментариев к записи: запись не найдена."; + +/* No comment provided by engineer. */ +"Post content settings" = "Настройки содержимого записи"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Запись создана %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Загрузка записи не удалась"; +/* No comment provided by engineer. */ +"Post meta settings" = "Настройки метаданных записи"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Запись перемещена в корзину."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Опубликовано в %1$@, %2$@, автором %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Постер"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Частота публикаций"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Записи"; +/* No comment provided by engineer. */ +"Posts List" = "Список записей"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Страница записей"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Предоставлено Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Преформатированный текст"; + +/* No comment provided by engineer. */ +"Preload" = "Предварительная загрузка"; + /* Browse premium themes selection title */ "Premium" = "Премиум"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Посмотрите ваш сайт перед тем, как его увидят посетители."; +/* No comment provided by engineer. */ +"Previous Page" = "Предыдущая страница"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Предыдущее уведомление"; +/* No comment provided by engineer. */ +"Previous page link" = "Ссылка на предыдущую страницу"; + /* Accessibility label */ "Previous period" = "Предыдущий период"; +/* No comment provided by engineer. */ +"Previous post" = "Предыдущая запись"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Основной сайт"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Проекты"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Мотивируйте посетителей к действию ссылкой в виде кнопки."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Мотивируйте посетителей к действию с помощью группы ссылок в стиле кнопок."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Предоставленный тип не поддерживается."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Открыто"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Публикация…"; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Цитируемый текст выдержки"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Текст выдержки"; + /* Title of screen showing site purchases */ "Purchases" = "Покупки"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-уведомления отключены в настройках iOS. Включите \"Разрешить уведомления\"."; +/* No comment provided by engineer. */ +"Query Title" = "Заголовок запроса"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Быстрый старт"; +/* No comment provided by engineer. */ +"Quote citation text" = "Цитируемый текст выдержки"; + +/* No comment provided by engineer. */ +"Quote text" = "Текст цитаты"; + +/* No comment provided by engineer. */ +"RSS settings" = "Настройки RSS"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Оцените нас в App Store"; +/* No comment provided by engineer. */ +"Read more" = "Читать далее"; + +/* No comment provided by engineer. */ +"Read more link text" = "Текст ссылки \"Читать далее\""; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Прочесть на"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Подключение установлено."; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Перенаправить на текущий URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Источник перехода"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "В разделе «Связанные записи» под вашими записями отображается соответствующее содержимое с вашего сайта"; +/* No comment provided by engineer. */ +"Release Date" = "Дата выпуска"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Удалить эту запись из моих сохраненных записей."; +/* No comment provided by engineer. */ +"Remove track" = "Удалить дорожку"; + /* User action to remove video. */ "Remove video" = "Удалить видеофайл"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Заменить файл"; +/* No comment provided by engineer. */ +"Replace image" = "Заменить изображение"; + /* No comment provided by engineer. */ "Replace image or video" = "Заменить изображение или видео"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Изменить размер и обрезать"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Изменить размер для устройств с небольшим экраном"; + /* The largest resolution allowed for uploading */ "Resolution" = "Разрешение"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Восстановление сайта"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Восстановить шаблон на предоставляемый темой по умолчанию"; + /* Button title for restore site action */ "Restore to this point" = "Восстановить до этой точки"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "\"Мои блоки\" нельзя редактировать в приложении WordPress для iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Обратная нумерация списка"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Отменить ожидание изменения"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Роль"; +/* No comment provided by engineer. */ +"Rotate" = "Вращать"; + +/* No comment provided by engineer. */ +"Row count" = "Количество строк"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS отправлено"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Выбрать стиль абзацев"; +/* No comment provided by engineer. */ +"Select poster image" = "Выберите изображение постера"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Выберите %@ , чтобы добавить учетные записи социальных сетей"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Отправлять push-уведомления"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Разделите содержимое на несколько страниц."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Отдавать изображения с наших серверов"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Установить как страницу записей"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Установите медиафайл и текст по бокам от него для богатства макета."; + /* The Jetpack view button title for the success state */ "Set up" = "Настройка"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Ошибка поделиться"; +/* No comment provided by engineer. */ +"Shortcode" = "Шорткод"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Текст шорткода"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Показывать заголовок"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Показывать похожие записи"; +/* No comment provided by engineer. */ +"Show download button" = "Показать кнопку скачивания"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Показать встроенные объекты"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Показывать ссылки входа и выхода."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Показать пароль"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Показать содержимое записи"; +/* No comment provided by engineer. */ +"Show post counts" = "Отображать число записей"; + /* translators: Checkbox toggle label */ "Show section" = "Показать раздел"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Показаны только ваши записи"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Отображение большой начальной буквы."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Показ статистики для:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Показывает записи сайта"; +/* No comment provided by engineer. */ +"Sidebars" = "Боковые панели"; + /* View title during the sign up process. */ "Sign Up" = "Регистрация"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Язык сайта"; +/* No comment provided by engineer. */ +"Site Logo" = "Логотип сайта"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Страница сайта"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Безопасность и производительность сайта\nв вашем кармане"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Текст слогана сайта"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Часовой пояс сайта (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Название сайта изменено"; +/* No comment provided by engineer. */ +"Site title text" = "Текст названия сайта"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Сайты"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Сайты для подписки"; +/* No comment provided by engineer. */ +"Six." = "Шесть."; + /* Image size option title. */ "Size" = "Размер"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Соцсети"; +/* No comment provided by engineer. */ +"Social Icon" = "Значок соцсетей"; + +/* No comment provided by engineer. */ +"Solid color" = "Сплошной цвет"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Произошел сбой при загрузке некоторых медиафайлов. Это действие удалит из записи все медиафайлы, которые не удалось загрузить.\nВсе равно сохранить?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Извините, это имя пользователя уже существует!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Извините, это имя недоступно."; +"Sorry, that username is unavailable." = "Извините, это имя недоступно."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "К сожалению, это содержимое не может быть встроено."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Извините, имя пользователя может содержать только строчные латинские буквы (a—z) и цифры."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Приоритет сортировки"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Сортировка и фильтрация"; + /* Opens the Github Repository Web */ "Source Code" = "Исходный код"; +/* No comment provided by engineer. */ +"Source language" = "Язык источника"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "юг"; /* Label for showing the available disk space quota available for media */ "Space used" = "Использованное место"; +/* No comment provided by engineer. */ +"Spacer settings" = "Настройки интервала"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Ускорьте ваш сайт"; +/* No comment provided by engineer. */ +"Square" = "Квадрат"; + /* Standard post format label */ "Standard" = "Стандартный"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Начать сначала"; +/* No comment provided by engineer. */ +"Start value" = "Начальное значение"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Начните с создания повествовательного блока."; + /* No comment provided by engineer. */ "Start writing…" = "Начните писать..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Перечёркнутый"; +/* No comment provided by engineer. */ +"Stripes" = "Полосы"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Заглушка"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Отправка на рассмотрение..."; +/* No comment provided by engineer. */ +"Subtitles" = "Субтитры"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Индекс Spotlight очищен"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Поддержка"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Сменить сайт"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Системные параметры по умолчанию"; +/* No comment provided by engineer. */ +"Table" = "Таблица"; + +/* No comment provided by engineer. */ +"Table caption text" = "Текст подписи к таблице"; + /* No comment provided by engineer. */ "Table of Contents" = "Содержание"; +/* No comment provided by engineer. */ +"Table settings" = "Настройки таблицы"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Таблица с показом %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Метка"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Настройки облака меток"; + +/* No comment provided by engineer. */ +"Tag Link" = "Ссылка на метку"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Метка уже существует"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Расскажите какой тип сайта вы хотите создать"; +/* No comment provided by engineer. */ +"Template Part" = "Часть шаблона"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Часть шаблона \"%s\" вставлена."; + +/* No comment provided by engineer. */ +"Template Parts" = "Части шаблона"; + +/* No comment provided by engineer. */ +"Template part created." = "Часть шаблона создана."; + +/* No comment provided by engineer. */ +"Templates" = "Шаблоны"; + +/* No comment provided by engineer. */ +"Term description." = "Описание элемента."; + /* The underlined title sentence */ "Terms and Conditions" = "Правила и условия"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Только текст"; +/* No comment provided by engineer. */ +"Text link settings" = "Настройки текстовой ссылки"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Пришлите мне сообщение с кодом"; +/* No comment provided by engineer. */ +"Text settings" = "Настройки текста"; + +/* No comment provided by engineer. */ +"Text tracks" = "Текстовые дорожки"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Благодарим вас за выбор темы %1$@ от %2$@!"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Приложение WordPress для Android получило грандиозное обновление"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "Лучшие мировые фанаты"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Приложение не может распознать ответ сервера. Проверьте конфигурацию вашего сайта. Приложение не может распознать ответ сервера. Проверьте конфигурацию вашего сайта."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Сертификат для этого сервера недействителен. Возможно, вы пытаетесь подключиться к серверу, который имитирует «%@». Это может представлять риск для конфиденциальности вашей информации.\n\nДоверять этому сертификату?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "Адрес изображения-постера %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "Отрывок скрыт."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "Отрывок показан."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Файл %1$@ содержит элемент вредоносного кода"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Невозможно добавить видео в «Библиотеку файлов»."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "Клюв свой раскрыв,
Запеть не успел крапивник.
Кончился день."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Тема подключена"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Не удалось подключиться к %@. Чтобы публиковать записи, установите подключение."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "Изображение-постер не выбрано"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Для добавления фотографий и видео к вашим записям этому приложению необходим доступ к библиотеке медиафайлов на вашем устройстве. Если вы хотите разрешить доступ, измените настройки конфиденциальности."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "Этот блок устарел. Вместо этого используйте блок «Столбцы»."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "Это количество столбцов превышает рекомендуемое количество и может привести к визуальной поломке."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Этот домен недоступен"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Угроза проигнорирована."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Три столбца с равным разделением"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Три столбца текста; широкий центральный столбец"; + +/* No comment provided by engineer. */ +"Three." = "Три."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Миниатюра"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Заголовок"; +/* No comment provided by engineer. */ +"Title & Date" = "Заголовок и дата"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Заголовок и отрывок"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Название рубрики обязательно."; +/* No comment provided by engineer. */ +"Title of track" = "Заголовок дорожки"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Заголовок, дата и отрывок"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Для размещения фотографий и видео в ваших записях."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Чтобы войти через эту учетную запись Google, пожалуйста войдите сначала с паролем WordPress.com. Это запрашивается только один раз."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "Чтобы показать комментарий, введите его ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Для создания фотографий и видео, которые будут размещаться в ваших записях."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Показать исходный код HTML "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Переключить навигацию"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Сделать начальную букву большой."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Переход к упорядоченному списку"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Всего слов"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Дорожки могут быть субтитрами, подписями, главами или описаниями. Они помогают сделать ваш контент более доступным для более широкого круга пользователей."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Трафик"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Преобразовать %s в"; - -/* No comment provided by engineer. */ -"Transform block…" = "Преобразовать блок..."; - /* No comment provided by engineer. */ "Translate" = "Перевести"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Имя пользователя Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Два столбца с равным разделением"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Два столбца, разделение: одна треть, две трети"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Два столбца, разделение: две трети, одна треть"; + +/* No comment provided by engineer. */ +"Two." = "Два."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Введите ключевое слово для большего числа предложений"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Сайт без названия"; +/* No comment provided by engineer. */ +"Unordered" = "Неупорядоченный"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Неупорядоченный список"; /* Filters Unread Notifications */ "Unread" = "Непрочитанное"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Без ответов"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Несохранённые изменения"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Без названия"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Часть шаблона без заголовка"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Журналы хранятся в течение 7 дней."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Загрузить медиафайлы"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Загрузите файл или выберите его из медиабиблиотеки."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Загрузить значок сайта"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Загрузите изображение логотипа или выберите его из медиабиблиотеки."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Ошибка загрузки"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Использовать текущее местоположение"; +/* No comment provided by engineer. */ +"Use URL" = "Использовать URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Использовать редактор блоков"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Использовать классический редактор WordPress."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Используйте эту ссылку, чтобы подключить членов вашей команды, не приглашая их по одному. Любой, кто посетит этот URL-адрес, сможет зарегистрироваться в вашей организации, даже если он получил ссылку от кого-то другого, поэтому убедитесь, что вы делитесь ею с доверенными людьми."; /* No comment provided by engineer. */ "Use this site" = "Использовать этот сайт"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Полезно для отображения графического знака, дизайна или символа, представляющего сайт. После того, как логотип сайта установлен, его можно повторно использовать в разных местах и ​​в разных шаблонах. Его не следует путать со значком сайта, который представляет собой небольшое изображение, используемое на панели управления, вкладках браузера, общедоступных результатах поиска и.т.д. для облегчения распознавания сайта."; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Проверьте ваш адрес электронной почты, инструкции отосланы на %@"; +/* No comment provided by engineer. */ +"Verse text" = "Текст стиха"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Версия"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Доступна версия %@"; +/* No comment provided by engineer. */ +"Vertical" = "Вертикальный"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Предварительный просмотр видео недоступен"; +/* No comment provided by engineer. */ +"Video caption text" = "Текст подписи к видео"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Подпись к видео. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Экспорт видео отменен."; +/* No comment provided by engineer. */ +"Video settings" = "Настройки видео"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Видеофайл, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Обозреватели"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Высота области просмотра (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Уязвимая тема: %1$@ (версия %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Над чем развозился великий бог Пан,\nВнизу в камышах на реке?\nНаносит повсюду разор да изъян,\nПлескаясь и брызжа козлиной ногой,\nКувшинкам помял он убор золотой,\nСтрекоз разогнал по реке."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Консоль"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Добро пожаловать в раздел «Чтиво»."; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Добро пожаловать в удивительный мир блоков..."; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Добро пожаловать в самый популярный в мире конструктор сайтов."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Проверочный код для двухфакторной аутентификации недействителен. Проверьте код и повторите попытку."; +/* No comment provided by engineer. */ +"Wide Line" = "Широкая линия"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Виджеты"; +/* No comment provided by engineer. */ +"Width in pixels" = "Ширина в пикселях"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Не будет опубликован."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "С настолько мощным редактором вы можете создавать публикации на ходу."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Лесной дрозд поёт в Центральном парке, Нью-Йорк."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Настройки приложения WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Написать ответ."; +/* No comment provided by engineer. */ +"Write code…" = "Введите код..."; + +/* No comment provided by engineer. */ +"Write file name…" = "Впишите имя файла ..."; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Добавить подпись к галерее..."; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Напишите предварительно отформатированный текст..."; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Введите шорткод здесь..."; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Напишите слоган сайта..."; + +/* No comment provided by engineer. */ +"Write site title…" = "Написать название сайта…"; + +/* No comment provided by engineer. */ +"Write title…" = "Напишите заголовок"; + +/* No comment provided by engineer. */ +"Write verse…" = "Напишите стих..."; + /* Title for the writing section in site settings screen */ "Writing" = "Написание"; @@ -7984,7 +9343,7 @@ "You hit a milestone 🚀" = "Вы достигли важной вехи 🚀"; /* Text rendered at the bottom of the Allowlisted IP Addresses editor, should match Calypso. */ -"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "Вы можете добавить один или несколько IP-адресов в белый список, чтобы плагин Jetpack их никогда не блокировал. Можно указывать адреса IPv4 и IPv6. Чтобы указать диапазон, введите минимальное и максимальное значения, разделённые тире. Пример: 12.12.12.1-12.12.12.100."; +"You may allowlist an IP address or series of addresses preventing them from ever being blocked by Jetpack. IPv4 and IPv6 are acceptable. To specify a range, enter the low value and high value separated by a dash. Example: 12.12.12.1-12.12.12.100." = "Вы можете добавить один или несколько IP-адресов в список разрешенных, чтобы плагин Jetpack их никогда не блокировал. Можно указывать адреса IPv4 и IPv6. Чтобы указать диапазон, введите минимальное и максимальное значения, разделённые тире. Пример: 12.12.12.1-12.12.12.100."; /* A suggestion of topics the user might like */ "You might like" = "Вам может понравиться"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "При открытии сайта в браузере Safari его адрес отображается в строке в верхней части экрана."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Ваш сайт не поддерживает \"%s\" блок. Вы можете оставить этот блок нетронутым или полностью удалить его."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Ваш сайт не поддерживает \"%s\" блок. Вы можете оставить этот блок нетронутым, преобразовать его содержимое в произвольный HTML-блок или полностью удалить его."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Ваш сайт не поддерживает этот блок."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Ваш сайт создан!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Сейчас вы используете редактор блоков для новых записей. Отлично! Если захотите изменить редактор на классический, то сделайте это в 'Мой сайт'>'Настройки сайта',"; +/* No comment provided by engineer. */ +"Zoom" = "Увеличить"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "час"; +/* No comment provided by engineer. */ +"archive" = "архив"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "аудио"; +/* No comment provided by engineer. */ +"blockquote" = "цитата"; + +/* No comment provided by engineer. */ +"blog" = "блог"; + +/* No comment provided by engineer. */ +"bullet list" = "маркированный список"; + /* Used when displaying author of a plugin. */ "by %@" = "автора %@"; +/* No comment provided by engineer. */ +"cite" = "цитировать"; + /* The menu item to select during a guided tour. */ "connections" = "подключения"; +/* No comment provided by engineer. */ +"container" = "контейнер"; + +/* No comment provided by engineer. */ +"description" = "описание"; + +/* No comment provided by engineer. */ +"divider" = "разделитель"; + +/* No comment provided by engineer. */ +"document" = "документ"; + /* No comment provided by engineer. */ "document outline" = "структура документа"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "нажмите дважды для смены единиц"; +/* No comment provided by engineer. */ +"download" = "скачать"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "например: 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "напр. 44"; +/* No comment provided by engineer. */ +"embed" = "вставка"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "лента"; + +/* No comment provided by engineer. */ +"find" = "найти"; + /* Noun. Describes a site's follower. */ "follower" = "читатель"; +/* No comment provided by engineer. */ +"form" = "форма"; + +/* No comment provided by engineer. */ +"horizontal-line" = "горизонтальная-линия"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/мой-адрес-сайта (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/ru.wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "Изображение"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "Изображение в галерее %1$d из %2$d"; + +/* No comment provided by engineer. */ +"images" = "изображения"; + /* Text for related post cell preview */ "in \"Apps\"" = "в разделе «Приложения»"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "позже сегодня"; +/* No comment provided by engineer. */ +"link" = "ссылка"; + +/* No comment provided by engineer. */ +"links" = "ссылки"; + +/* No comment provided by engineer. */ +"login" = "вход"; + +/* No comment provided by engineer. */ +"logout" = "выход"; + +/* No comment provided by engineer. */ +"menu" = "меню"; + +/* No comment provided by engineer. */ +"movie" = "фильм"; + +/* No comment provided by engineer. */ +"music" = "музыка"; + +/* No comment provided by engineer. */ +"navigation" = "навигация"; + +/* No comment provided by engineer. */ +"next page" = "следующая страница"; + +/* No comment provided by engineer. */ +"numbered list" = "нумерованный список"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "из"; +/* No comment provided by engineer. */ +"ordered list" = "упорядоченный список"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "другое"; +/* No comment provided by engineer. */ +"pagination" = "разделение на страницы"; + /* No comment provided by engineer. */ "password" = "пароль"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "номер телефона"; +/* No comment provided by engineer. */ +"photos" = "фотографии"; + +/* No comment provided by engineer. */ +"picture" = "изображение"; + +/* No comment provided by engineer. */ +"podcast" = "подкаст"; + +/* No comment provided by engineer. */ +"poem" = "стих"; + +/* No comment provided by engineer. */ +"poetry" = "поэзия"; + +/* No comment provided by engineer. */ +"post" = "записи"; + +/* No comment provided by engineer. */ +"posts" = "записи"; + +/* No comment provided by engineer. */ +"read more" = "читать далее"; + +/* No comment provided by engineer. */ +"recent comments" = "недавние комментарии"; + +/* No comment provided by engineer. */ +"recent posts" = "последние записи"; + +/* No comment provided by engineer. */ +"recording" = "запись"; + +/* No comment provided by engineer. */ +"row" = "строка"; + +/* No comment provided by engineer. */ +"section" = "раздел"; + +/* No comment provided by engineer. */ +"social" = "социальные сети"; + +/* No comment provided by engineer. */ +"sound" = "звук"; + +/* No comment provided by engineer. */ +"subtitle" = "субтитры"; + /* No comment provided by engineer. */ "summary" = "итог"; +/* No comment provided by engineer. */ +"survey" = "опрос"; + +/* No comment provided by engineer. */ +"text" = "текст"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "эти элементы будут удалены:"; +/* No comment provided by engineer. */ +"title" = "заголовок"; + /* Today */ "today" = "сегодня"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, сайты, сайт, блоги, блог"; +/* No comment provided by engineer. */ +"wrapper" = "декоратор"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Ваш новый домен %@ настраивается."; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Кобаяси Исса (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Домены"; diff --git a/WordPress/Resources/sk.lproj/Localizable.strings b/WordPress/Resources/sk.lproj/Localizable.strings index fd3a1963406c..836393ca4085 100644 --- a/WordPress/Resources/sk.lproj/Localizable.strings +++ b/WordPress/Resources/sk.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li slov, %2$li znakov"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Nahraný 1 koncept"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tlačidlo \"Viac\" obsahuje rozbaľovací zoznam, ktorý zobrazuje tlačidlá zdieľania"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Značka s názvom '%@' už existuje."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "O"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Pridať alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Pridajte vlastný web"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Pridať značky"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albumy"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Zarovnanie"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Vyskytla sa neznáma chyba. Prosím skúste to znova."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Schvaľuje komentár."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Ste si istí, že chcete zrušiť a odstrániť zmeny?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Naozaj chcete aktualizovať?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Od 1. augusta 2018 spoločnosť Facebook už neumožňuje priame zdieľanie príspevkov na profily služby Facebook. Pripojenia na stránky Facebooku zostávajú nezmenené."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Pridať súbor ako odkaz"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autori"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Automaticky spravované"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Automatické aktualizácie"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Blok citácie"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Zablokovať škodlivé pokusy o prihlásenie"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokovať túto webovú stránku"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Návštevník blogu"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Tučné"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Rozdeliť vlákna komentárov do viacej stránok."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Prehliadajte všetky naše témy, aby ste našli takú, ktorá sa vám perfektne hodí."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Ochrana pred útokom hrubou silou"; @@ -980,7 +1159,10 @@ "Button Style" = "Štýl tlačidiel"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Prepočítava sa..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Fotoaparát"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Titulok"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Pozor!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategória"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Chýba názov kategórie."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Chyba certifikátu"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Zmeniť heslo"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Zmena sa nepodarila"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Prebieha zmena užívateľského mena"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Skontrolujte chybu pri nákupe"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Zatvoriť komentovanie"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kód"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Pripojenia"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakt"; + /* Support email label. */ "Contact Email" = "Kontaktný e-mail"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontaktovať podporu"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontaktujte nás na adrese %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Pokračovať"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Pokračovať v práci"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Skopírovať odkaz do komentáru"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nepodarilo sa zistiť nákupy na webe."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Nepodarilo sa sledovať webovú stránku"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Vytvoriť web na WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Vytvoriť značku"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Vytvorte novú webovú stránku pre váš podnik, magazín alebo osobný blog. Rovnako sa pripojte k existujúcej inštalácii WordPress."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Prispôsobte nastavenia vašej webovej stránky pre označenia Páči sa mi to, Komentáre, Sledujúci a iné."; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Predvolené"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Základné pre nové príspevky"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Chyba pri mazaní stránky"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Vymazať značku."; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Popis"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaily"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Zobraziť meno"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dokument: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domény"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Ešte nemáš účet? _Zaregistruj sa_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Dokončené"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dokument: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domény"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Ešte nemáš účet? _Zaregistruj sa_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Dokončené"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Koncepty"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Východ"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Upraviť článok"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Upraviť tlačidlo zdieľania"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email odoslaný!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Prázdne"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Prázdny URL odkaz"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Povoliť"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Zadať vlastnú hodnotu"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Zadajte rôzne slová a vyhľadáme adresu, ktorá sa zhoduje."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Vyskytla sa chyba pri aktualizácii nastavení zrýchlenia webovej stránky."; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Udalosť"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportovať obsah"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Ilustračný obrázok sa nenačítal"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Načítavanie tém..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Typ súboru"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Krstné meno"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Poslať ďalej"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Zadarmo"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Založte a rozbehnite svoje webové stránky"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Získať informácie o účte"; /* Cancel */ "Give Up" = "Vzdať sa"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Obsah"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Nadpis 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Nadpis 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Nadpis 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Nadpis 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Pomoc"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skryť klávesnicu"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Podržať pre moderovanie"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Páči sa mi to"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Ikona a text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Ak odstránite %1$@, používateľ sa už nedostane k tejto webovej stránke, ale hociaký obsah, ktorý vytvoril %2$@ zostane na webovej stránke."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Veľkosť obrázka"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Nadpis obrázka"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Obrázok, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Okamžite"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Pár slovami povedzte niečo o tejto stránke."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Neaktívny"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nesprávne užívateľské meno alebo heslo. Skúste to znovu a zadajte vaše prihlasovacie údaje."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Vložte súbory"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Vložiť súbor"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Inštaluje sa prvý plugin na webovej stránke. Môže to trvať 1 minútu. Počas tohto času, nebudete môcť vykonávať zmeny na webovej stránke."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kurzíva"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Známy užívatelia"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Menovka"; +/* No comment provided by engineer. */ +"Landscape" = "Landscape"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Jazyk"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Veľký"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Zhrnutie najnovších článkov"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Zistiť viac"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Zistite viac o formátovaní dátumu a času."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Pomôžeme"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Odkaz na"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Prepojiť na existujúci obsah"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Odkazy v komentároch"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Nahráva sa..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Miestne"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Odhlásiť sa z WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Žiadosť na prihlásenie vypršala"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Logy"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Zdá sa, že na vašej webovej stránke máte nastavený Jetpack. Gratulujeme! Prihláste sa s poverením WordPress.com a zapnite Štatistika a Upozornenia."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Zabudli ste heslo?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hlavná navigácia"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Spárujte účty použitím e-mailovej adresy"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Maximálna veľkosť nahratého obrázka"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maximálna veľkosť nahraného videa"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Média neobsahujú pridaný súbor, aby sa nahrali."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Veľkosť súboru (%1$@) je príliš veľká. Maximálna povolená veľkosť je %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Náhľad súboru zlyhal."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Nahrávajú sa média (%ld súborov)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Sledujte dobu prevádzky vašej webovej stránky"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Mesiace"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Presunúť komentár do koša."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Môj profil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Moje tickety"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Názov"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Potrebujete pomoc?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nové príspevky"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Najnovšie"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Ďalší"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Nasledujúce upozornenie"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Nie"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Žiadne pripojenie"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Žiadne položky"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Žiadne komentáre"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Žiadne nedávne články"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nič nebolo nájdené."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Očíslovaný zoznam"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Ojoj!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Otvoriť nastavenia zariadenia"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Otvoriť WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Otvoriť výber všetkých médií"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Zoradený zoznam"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Ďalšie webové stránky"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Stránka"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Stránka obnovená do konceptov"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Stránkovanie"; +/* No comment provided by engineer. */ +"Paragraph" = "Odsek"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Nadradená kategória"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Prilepiť bez formátovania"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Paušály"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Prehrať video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Populárne jazyky"; +/* No comment provided by engineer. */ +"Portrait" = "Portrait"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Článok"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Kategórie článku"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Pridať formát"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Článok obnovený ako koncept"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Článok %1$@, z %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Zlyhalo nahranie článku"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Článok presunutý do koša."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Aktivita prispievania"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Články"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Prezrite si svoje webové stránky, aby ste videli to, čo uvidia vaši návštevníci."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Predchádzajúce upozornenie"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primárna webová stránka"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekty"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Verejné"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Zverejňovanie..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Nákupy"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifikácie boli vypnuté v iOS nastaveniach. Prepnite možnosť \"Povoliť upozornenia\" a zapnite ich späť."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Rýchly štart"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Ohodnoťte nás na App Store"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Prečítať na "; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Znovu pripojené"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Odkazujúci"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Súvisiace články zobrazujú príslušný obsah vašej webovej stránky pod vašimi článkami"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Odstrániť tento príspevok z mojich uložených príspevkov."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Odstrániť video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Upraviť veľkosť a orezať"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Výsledok"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Vrátiť čakajúcu zmenu"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Rola"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS odoslaná"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Vyberte štýl odseku"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Zvoľte %@ a pridajte účty na sociálnych sieťach"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Odoslať zobrazovanie upozornení"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Poskytnúť obrázku z našich serverov"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Zdielanie chyby"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Zobraziť hlavičku"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Zobraziť súvisiace články"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Zobrazujú sa iba moje články"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Jazyk webovej stránky"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Webové stránky"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Veľkosť"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Niektoré nahrávania súborov zlyhali. Táto akcia vymaže všetky neúspešne nahrané súbory. \nZachrániť niektoré?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Ospravedlňujeme sa, toto používateľské meno už existuje!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Toto používateľské meno je nedostupné."; +"Sorry, that username is unavailable." = "Toto používateľské meno je nedostupné."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Ospravedlňujeme sa, používateľské mená môžu obsahovať iba malé písmená (a-z) a čísla."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Zoradiť podľa"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Zdrojový kód"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Juh"; /* Label for showing the available disk space quota available for media */ "Space used" = "Využité miesot"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Zrýchlite svoju webovú stránku "; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Štandardné"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Začať znova"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Preškrtnutie "; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Zástup"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Odoslanie na kontrolu..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Úspešne vyčistený spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Podpora"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Prepnúť webovú stránku"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Podľa systému"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Značka"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Značka už existuje"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Len text"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Radšej mi pošlite kód"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Ďakujeme, že používate %1$@ od %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Aplikácia WordPress pre Android v novom šate"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Aplikácia nemôže rozpoznať odpoveď servera. Skontrolujte konfiguráciu na vašej webovej stránke."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certifikát pre tento server je neplatný. Môžete sa pripájať na server, ktorý sa len tvári, že je \"%@\", a to môže ohroziť vaše dôverné informácie.\n\nChcete aj tak dôverovať tomuto certifikátu?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video sa nepodarilo pridať do knižnice."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Téma aktivovaná"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Vyskytol sa problém pripojenia k %@. Znovu pripojiť a pokračovať vo zverejnení."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Táto aplikácia potrebuje povolenie na prístup do knižnice súborov vo vašom zariadení, aby ste mohli pridať fotografie a\/alebo video do vášho článku. Prosím zmeňte nastavenia súkromia, pokiaľ si prajete ich pridanie."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatúra"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Nadpis"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Názov kategórie je povinný."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Pridávanie fotografií alebo videí do vašich článkov."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Prosím, prihláste sa pomocou hesla na WordPress.com a pokračujte s účtou Google. Prihlásite sa iba raz."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Pridajte fotku alebo nahrajte videá do vašich článkov."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Prepnúť HTML zdroj"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Zapína a vypína zoradený zoznam štýlov"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Prenos"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Používateľské meno na Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Zadajte kľúčové slovo pre viac nápadov"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Webová stránka bez názvu"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Nezoradený zoznam"; /* Filters Unread Notifications */ "Unread" = "Neprečítané"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Neuložené zmeny"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Až sedem dní sú uložené prihlasovacie údaje."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Nahrať súbor"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Nahrávanie zlyhalo"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Použiť aktuálnu polohu"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Použite túto webovú stránku"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Verzia"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Verzia %@ je k dispozícii"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Ukážka videa nie je dostupná"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Export videa bol zrušený."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Návštevníci"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Vitajte v Čítačke"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Hups, dvojfaktorový overovací kód nie je platný. Skontrolujte kód a skúste ešte raz!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Táto adresa nebude zverejnená."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Nastavenia aplikácie WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Odpovedať..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Písanie"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Adresa webovej stránky sa zobrazí na hornom paneli obrazovky, keď navštívite webovú stránku cez Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[KOMENTÁR]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "hodina"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "kým %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "Prepojenia"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "odberateľ"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/moja-stranka.sk (URL adresa)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "obrázok"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "v \"Aplikácie\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "neskôr dnes"; +/* No comment provided by engineer. */ +"link" = "odkaz"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "z"; +/* No comment provided by engineer. */ +"ordered list" = "ordered list"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "ďalšie"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "nasledujúce položky budú zmazané:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "dnes"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, webové stránky, webová stránka, blogy, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domény"; diff --git a/WordPress/Resources/sq.lproj/Localizable.strings b/WordPress/Resources/sq.lproj/Localizable.strings index a6439ba13eb5..2e2b50a047aa 100644 --- a/WordPress/Resources/sq.lproj/Localizable.strings +++ b/WordPress/Resources/sq.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-29 08:15:45+0000 */ +/* Translation-Revision-Date: 2021-05-05 09:40:13+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: sq_AL */ @@ -36,11 +36,11 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d postime të papara"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d nga %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ -"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; +"%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s është %3$s %4$s."; /* Post Stats label for week date range. Ex: Mar 25 - Mar 31, 2019 */ "%@ - %@, %@" = "%1$@ - %2$@, %3$@"; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li fjalë, %2$li shenja"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "Mundësi blloku %s"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s bllok. I zbrazët"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s bllok. Ky bllok ka lëndë të pavlefshme"; +/* translators: %s: Number of comments */ +"%s comment" = "%s koment"; + +/* translators: %s: name of the social service. */ +"%s label" = "Etiketë %s"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' s’mbulohet plotësisht"; @@ -217,10 +220,10 @@ "(no title)" = "(pa titull)"; /* Example Comment notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ -"*Johann Brandt* responded to your post" = "*Johann Brandt* responded to your post"; +"*Johann Brandt* responded to your post" = "Durim Cerova<\/b> iu përgjigj postimit tuaj"; /* Example Like notification displayed in the prologue carousel of the app. Username should be marked with * characters and will be displayed as bold text. */ -"*Madison Ruiz* liked your post" = "*Madison Ruiz* liked your post"; +"*Madison Ruiz* liked your post" = "Maqo Senko<\/b> pëlqeu postimin tuaj"; /* Menus button text for adding a new menu to a site. */ "+ Add new menu" = "+ Shtoni menu të re"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Rresht adrese %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Përzgjidhni -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Një “bllok” është termi abstrakt\n\/\/ i përdorur për të përshkruar njësi\n\/\/ formatimi teksti, që kur përdoren\n\/\/ tok, formojnë lëndën ose skemën\n\/\/ grafike të një faqeje.\nregisterBlockType( emër, rregullime );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "U ngarkua 1 skicë postimi"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 gjet një kërcënim potencial"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 orë"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Një buton “Më tepër” përmban një menu hapmbyll që shfaq butona ndarjesh me të tjerët"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "Një kalendar i postimeve në sajtin tuaj."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "Një re e etiketave tuaja më të përdorura."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "Një koleksion blloqesh që u lejon vizitorëve të lëvizin nëpër sajtin tuaj."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "U caktua një figurë e zgjedhur. Prekeni që ta ndryshoni."; /* Title for a threat */ "A file contains a malicious code pattern" = "Një kartelë përmban rregullsi kodi dashakeq"; +/* No comment provided by engineer. */ +"A link to a category." = "Një lidhje për te një kategori."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "Një lidhje te një URL vetjake."; + +/* No comment provided by engineer. */ +"A link to a page." = "Lidhje për te një faqe."; + +/* No comment provided by engineer. */ +"A link to a post." = "Një lidhje për te një postim."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Një lidhje për te një etiketë."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Një listë sajtesh në këtë llogari."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Një varg hapash për t’ju ndihmuar të shtoni publikun e sajtit."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "Një shtyllë njëshe brenda blloku shtyllash."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Ka tashmë një etiketë të quajtur '%@'."; @@ -321,11 +403,12 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESË"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Mbi"; /* Link to About screen for Jetpack for iOS */ -"About Jetpack for iOS" = "About Jetpack for iOS"; +"About Jetpack for iOS" = "Mbi Jetpack-un për iOS"; /* My Profile 'About me' label */ "About Me" = "Rreth Meje"; @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Shtoni Kartë të Re Statistikash"; +/* No comment provided by engineer. */ +"Add Template" = "Shtoni Gjedhe"; + /* No comment provided by engineer. */ "Add To Beginning" = "Shtoje Në Fillim"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Shtoni një temë"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Shtoni një bllok që e shfaq lëndën në shumë shtylla, mandej shtoni çfarëdo blloqesh lënde që doni."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Shtoni një bllok që shfaq lëndë të marrë nga sajte të tjerë, b.f. Twitter, Instagram ose YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Shtoni këtu një URL CSS-je vetjake që të ngarkohet në Lexues. Nëse xhironi Calypso-n lokalisht, kjo mund të ishte diçka si: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Shtoni një lidhje te një kartelë e shkarkueshme."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Shtoni te menuja juaj e lëvizjeve një faqe, lidhje ose element tjetër."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Shtoni një sajt të vetëstrehuar"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Shtoni tekst alternativ"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Shtoni një figurë ose video me njëfarë teksti përsipër - e shkëlqyer për krye."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Shtoni çfarëdo teme"; +/* No comment provided by engineer. */ +"Add caption" = "Shtoni legjendë"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Shtoni citim"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Shtoni kod HTML vetjak dhe shihni një paraparje të tij, në përpunim e sipër."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Shton figurë, ose avatar, që të përfaqësojë këtë llogari të re."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Shtoni bllok paragraf"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Shtoni citim"; + /* Add self-hosted site button */ "Add self-hosted site" = "Shto sajt të vetëstrehuar"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Shtoni etiketa"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Shtoni tekst që respekton hapësirat dhe tabulacionet tuaja, dhe lejon gjithashtu stilizim."; + +/* No comment provided by engineer. */ +"Add text…" = "Shtoni tekst…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Shtoni autorin e këtij postimi."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Shtoni datën e këtij postimi."; + /* No comment provided by engineer. */ "Add this email link" = "Shto këtë lidhje email"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Shto këtë lidhje telefoni"; +/* No comment provided by engineer. */ +"Add tracks" = "Shtoni pjesë"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Shtoni hapësirë të zbrazët mes blloqesh dhe përshtatni lartësinë e tyre."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Shtim veçorish sajti"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albume"; +/* No comment provided by engineer. */ +"Align column center" = "Vendose shtyllën në qendër"; + +/* No comment provided by engineer. */ +"Align column left" = "Vendose shtyllën majtas"; + +/* No comment provided by engineer. */ +"Align column right" = "Vendose shtyllën djathtas"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Drejtim"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ndodhi një gabim."; +/* No comment provided by engineer. */ +"An example title" = "Shembull titulli"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ndodhi një gabim i panjohur. Ju lutemi, riprovoni."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "E miraton Komentin."; +/* No comment provided by engineer. */ +"Archive Title" = "Titull Arkivi"; + +/* No comment provided by engineer. */ +"Archive title" = "Titull arkivi"; + +/* No comment provided by engineer. */ +"Archives settings" = "Rregullime arkivash"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Jeni i sigurt se doni të anulohet dhe të hidhen tej ndryshimet?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Jeni i sigurt se doni të përditësohet?"; +/* No comment provided by engineer. */ +"Area" = "Zonë"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Nga 1 Gusht, 2018, Facebook-u nuk lejon më ndarje të drejtpërdrejtë të postimeve në Profile Facebook. Lidhjet te Faqe Facebook mbeten të pandryshuara."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Përpjesëtim"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Bashkëngjite Kartelën si Lidhje"; +/* No comment provided by engineer. */ +"Attachment page" = "Faqe bashkëngjitje"; + /* No comment provided by engineer. */ "Audio Player" = "Luajtës Audio"; +/* No comment provided by engineer. */ +"Audio caption text" = "Tekst përshkrimi videoje"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Marrje audio. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Marrje audio. E zbrazët"; +/* No comment provided by engineer. */ +"Audio settings" = "Rregullime për audion"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Autorë"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "E vetëadministruar"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Ndani vetvetiu me të tjerët në rrjetet tuaja shoqërore postime të reja."; +/* No comment provided by engineer. */ +"Autoplay" = "Vetëluaje"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Vetëpërditësime"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Bllok Citimi"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blloku u kopjua"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blloku u pre"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blloku u përsëdyt"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Blloku s’mund të krijohet brenda vetes."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Përpunuesi me blloqe i aktivizuar"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Blloku është fshirë ose s’mund të kihet."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blloko përpjekje dashakeqe për hyrje"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blloku u ngjit"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blloku u hoq"; - -/* No comment provided by engineer. */ -"Block settings" = "Rregullime blloku"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Bllokoje këtë sajt"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Shikues Blogu"; +/* No comment provided by engineer. */ +"Body cell text" = "Tekst kuadrati lënde"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Të trasha"; +/* No comment provided by engineer. */ +"Border" = "Anë"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Copëzojini rrjedhat e komenteve në disa faqe."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Përshkruajeni shkurt lidhjen që të ndihmoni përdoruesit e lexuesit të ekranit."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Shfletoni krejt temat tuaja që të gjeni përputhjen e përsosur."; +/* No comment provided by engineer. */ +"Browse all templates" = "Shfletoni krejt gjedhet"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Shfletoni krejt gjedhet. Kjo do të hapë menunë e gjedheve te paneli anësor i lëvizjeve."; + +/* No comment provided by engineer. */ +"Browser default" = "Parazgjedhje shfletuesi"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Mbrojtje Nga Sulme Brute Force<\/em>"; @@ -980,7 +1159,10 @@ "Button Style" = "Stil Butoni"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Butona të shfaqur në një shtyllë."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Butona të shfaqur në një rresht."; /* Label for the post author in the post detail. */ "By " = "Nga "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Po llogariten…"; +/* No comment provided by engineer. */ +"Call to Action" = "Thirrje Për Veprim"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamerë"; @@ -1088,7 +1273,7 @@ "Cancel media uploads" = "Anulim ngarkimesh media"; /* No comment provided by engineer. */ -"Cancel search" = "Cancel search"; +"Cancel search" = "Anuloje kërkimin"; /* Share extension dialog dismiss button label - displayed when user is missing a login token. */ "Cancel sharing" = "Anuloje ndarjen me të tjerët"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Legjendë"; +/* No comment provided by engineer. */ +"Captions" = "Titra"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Kujdes!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; +/* No comment provided by engineer. */ +"Category Link" = "Lidhje Kategorie"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Mungon titull kategorie."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Gabim dëshmie"; +/* No comment provided by engineer. */ +"Change Date" = "Ndryshoni Datën"; + /* Account Settings Change password label Main title */ "Change Password" = "Ndryshoni Fjalëkalimin"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Ndryshoni pozicion blloku"; +/* No comment provided by engineer. */ +"Change column alignment" = "Ndryshoni drejtim shtylle"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Ndryshimi dështoi"; +/* No comment provided by engineer. */ +"Change heading level" = "Ndryshoni shkallë kryesh"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ndryshoni llojin e pajisjes së përdorur për paraparje"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Po ndryshohet emri i përdoruesit"; +/* No comment provided by engineer. */ +"Chapters" = "Kapituj"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Kontrolloni për Gabim Blerjesh"; @@ -1230,7 +1433,7 @@ "Choose a domain" = "Zgjidhni përkatësi"; /* OK Button title shown in alert informing users about the Reader Save for Later feature. */ -"Choose a new app icon" = "Choose a new app icon"; +"Choose a new app icon" = "Zgjidhni një ikonë të re aplikacioni"; /* Title of a Quick Start Tour */ "Choose a theme" = "Zgjidhni një temë"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Zgjidhni përkatësi"; +/* No comment provided by engineer. */ +"Choose existing" = "Zgjidhni një ekzistuese"; + /* No comment provided by engineer. */ "Choose file" = "Zgjidhni kartelë"; @@ -1308,7 +1514,10 @@ "Clear all old activity logs?" = "Të spastrohen krejt regjistrat e vjetër të veprimtarisë?"; /* No comment provided by engineer. */ -"Clear search" = "Clear search"; +"Clear customizations" = "Spastro përshtatjet"; + +/* No comment provided by engineer. */ +"Clear search" = "Spastroje kërkimin"; /* Title of a button. */ "Clear search history" = "Spastro historikun e kërkimeve"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Mbylle komentimin"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Mbyll anështyllë stilesh globale"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Mbyll anështyllë parjeje liste"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Mbyll anështyllën e rregullimeve"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Mbylle skenën Unë"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kod"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Kodi është Poezi"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "E tkurrur, %i hapa të plotësuara, klikimi e zgjeron listën e këtyre hapave"; @@ -1359,7 +1580,22 @@ "Collect information" = "Grumbullo të dhëna"; /* Title displayed for selection of custom app icons that have colorful backgrounds. */ -"Colorful backgrounds" = "Colorful backgrounds"; +"Colorful backgrounds" = "Sfonde shumëngjyrësh"; + +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Tekst shtylle %d"; + +/* No comment provided by engineer. */ +"Column count" = "Numër shtylle"; + +/* No comment provided by engineer. */ +"Column settings" = "Rregullime shtylle"; + +/* No comment provided by engineer. */ +"Columns" = "Shtylla"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Ndërthurni blloqe në një grup."; /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Ndërthurni foto, video dhe tekst, që të krijoni postime shkrimesh tërheqës, që vizitorët tuaj do t’i duan fort."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Lidhje"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakt"; + /* Support email label. */ "Contact Email" = "Email Kontaktesh"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Lidhuni me asistencën"; +/* No comment provided by engineer. */ +"Contact us" = "Lidhuni me ne"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Lidhuni me ne te %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Strukturë Lënde\nBlloqe: %1$li, Fjalë: %2$li, Shenja: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Lënda përpara këtij blloku do të shfaqet te copëza, te faqja juaj e arkivave."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Vazhdo"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Vazhdoni Me WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Vazhdo Punën"; @@ -1586,8 +1834,20 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Po vazhdohet me Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Shndërroji në blloqe"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Shndërroje në listë të renditur"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Shndërroje në listë të parenditur"; + /* An example tag used in the login prologue screens. */ -"Cooking" = "Cooking"; +"Cooking" = "Gatim"; + +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "URL-ja u kopjua në të papastrën tuaj."; /* No comment provided by engineer. */ "Copied block" = "Blloku u kopjua"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Kopjo Lidhjen për te Komenti"; /* No comment provided by engineer. */ -"Copy block" = "Kopjoje bllokun"; +"Copy URL" = "Kopjoji URL-në"; /* No comment provided by engineer. */ "Copy file URL" = "Kopjo URL kartele"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "S’u plotësuan dot blerje sajti."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "S’u përpunua dot figura. %s"; + /* Title of a prompt. */ "Could not follow site" = "S’u ndoq dot sajti"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Krijoni Postim Shkrimi"; +/* No comment provided by engineer. */ +"Create Table" = "Krijo Tabelë"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Krijo sajt WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Krijoni një Etiketë"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Krijoni një ndërprerje mes idesh apo seksionesh, me një ndarës horizontal."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Krijoni një listë me toptha ose të numërtuar."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Krijoni një sajt të ri"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Krijoni një sajt të ri për biznesin tuaj, revistë ose blog personal; ose lidhni një instalim WordPress ekzistues."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Krijoni një pjesë të re gjedheje, ose zgjidhni një nga lista."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Krijoni një postim ose faqe"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Krijoni një postim, faqe ose shkrim"; +/* No comment provided by engineer. */ +"Create a template part" = "Krijoni një pjesë gjedheje"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Krijoni lëndë dhe ruajeni, për ta ripërdorur nëpër sajtin tuaj. Përditësojeni bllokun, dhe ndryshimet vihen në jetë kudo ku është përdorur."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Krijoni kopjeruajtje të shkarkueshme"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Po rikthehet: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Lidhje Vetjake"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Mesazh vetjak…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Përshtatni rregullime të sajtit tuaj, të tilla si Pëlqime, Komente, Ndjekje, etj."; -/* No comment provided by engineer. */ -"Cut block" = "Prije bllokun"; - /* Title for the app appearance setting for dark mode */ "Dark" = "E errët"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 Dhjetor, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "6 dhjetor, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Parazgjedhje"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL Parazgjedhje"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Parazgjedhje e bazuar në zonën (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Parazgjedhje për Postime të Reja"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Gabim Fshirje Sajti"; +/* No comment provided by engineer. */ +"Delete column" = "Fshije shtyllën"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Fshije menunë"; +/* No comment provided by engineer. */ +"Delete row" = "Fshije rreshtin"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Fshije këtë etiketë"; @@ -1950,19 +2243,25 @@ "Deny" = "Mohoje"; /* No comment provided by engineer. */ -"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Përshkruani qëllimin e figurës. Lëreni të zbrazët, nëse figura është thjesht dekorative. "; /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ "Description" = "Përshkrim"; +/* No comment provided by engineer. */ +"Descriptions" = "Përshkrime"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Dizajn"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Shkëputi blloqet prej pjesës së gjedhes"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Hollësi"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Emër Shfaqjeje"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për gjithë kohën. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Shfaqni një widget të dikurshëm."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për këtë javë. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Shfaqni një listë të krejt kategorive."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për sot. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Shfaqni një listë të krejt faqeve."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dokument: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Shfaqni një listë të komenteve tuaja më të reja."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Të dhëna kontakti përkatësie"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Shfaqni një listë të postimeve tuaj më të freskët, përjashto postimet ngjitës."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Të zotëve të përkatësive u duhet të japin të dhëna kontakti te një bazë publike të dhënash e krejt përkatësive. Me Mbrojtjen e Privatësisë, ne publikojmë të dhënat tona, në vend se tuajat, dhe ju përcjellim privatisht çfarëdo komunikimi për ju."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Shfaqni një listë të postimeve tuaja më të reja."; -/* Title for the Domains list */ -"Domains" = "Përkatësi"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Shfaqni një arkiv mujor të postimeve tuaja."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "S’keni llogari? _Regjistrohuni_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Shfaqni kategoritë e një postimi."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "U bë"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Shfaqni numrin e komenteve të një postimi."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Mos vrisni mendjen"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Shfaqni formular komentesh të një postimi."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Shfaqni komentet e një postimi."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Shfaqni copëz postimi."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Shfaqni figurë të zgjedhur të një postimi."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Shfaqni etiketat e një postimi."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Shfaqni një ikonë që përfaqëson një lidhje për te profil ose sajt mediash shoqërore."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Shfaqe si hapmbyll"; + +/* No comment provided by engineer. */ +"Display author" = "Shfaqni autorin"; + +/* No comment provided by engineer. */ +"Display avatar" = "Shfaqni avatarin"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Shfaqni copëza kodi që respektojnë hapësirat dhe tabulacionet tuaja."; + +/* No comment provided by engineer. */ +"Display date" = "Shfaqni datë"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Shfaqni zëra prej çfarëdo prurjeje RSS ose Atom."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Shfaqni copëz"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Shfaqni ikona që lidhin profilet tuaj në media shoqërore ose sajte."; + +/* No comment provided by engineer. */ +"Display login as form" = "Shfaqni hyrje si formular"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Shfaqni figura të shumta në një galeri të larmishme."; + +/* No comment provided by engineer. */ +"Display post date" = "Shfaq datë postimesh"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Shfaq titullin e arkivit bazuar te objekti i kërkuar."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Shfaq përshkrimin e kategorive, etiketave dhe klasifikimeve vetjake, kur shihet një arkiv."; + +/* No comment provided by engineer. */ +"Display the query title." = "Shfaqni titullin e kërkesës."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Shfaqe titullin si lidhje"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për gjithë kohën. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për këtë javë. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për sot. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Shfaq një listë numrash faqesh për faqosje"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Shfaq një listë postimesh, si përfundim i një kërkese."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Shfaq një lëvizje të faqosur te grupi pasues\/i mëparshëm i postimeve, kur kjo ka vend."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Shfaq dhe lejon përpunimin e emrin të sajtit. Titulli i sajtit shfaqet te shtylla e titujve në shfletues, në përfundime kërkimesh, etj. I pranishëm edhe te Rregullime > Të përgjithshme."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Shfaq lëndën e një postimi ose faqeje."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Shfaq lidhjen për te komentet e postimit të tanishëm."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Shfaq lidhjen për postimin pasues ose të mëparshëm që është ngjitur me postimin e tanishëm."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Shfaq lidhjen për te faqja pasuese e postimeve."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Shfaq lidhjen e postimit që pason postimin e tanishëm."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Shfaq lidhjen e postimit që i paraprin postimit të tanishëm."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Shfaq lidhjen për te faqja e mëparshme e postimeve."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Shfaq titullin e një postimi, faqeje, ose çfarëdo lloji tjetër lënde."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dokument: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Të dhëna kontakti përkatësie"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Të zotëve të përkatësive u duhet të japin të dhëna kontakti te një bazë publike të dhënash e krejt përkatësive. Me Mbrojtjen e Privatësisë, ne publikojmë të dhënat tona, në vend se tuajat, dhe ju përcjellim privatisht çfarëdo komunikimi për ju."; + +/* Title for the Domains list */ +"Domains" = "Përkatësi"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "S’keni llogari? _Regjistrohuni_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "U bë"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Mos vrisni mendjen"; + +/* No comment provided by engineer. */ +"Dots" = "Pika"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Prekeni dy herë dhe mbajeni të prekur që të lëvizet ky element menuje lart ose poshtë"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Prekeni dy herë që të hapet Fleta e Veprimeve për përpunim, zëvendësim ose spastrim të figurës"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Prekeni dyfish që të hapet Fleta e Veprimeve me mundësitë e gatshme"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Prekeni dy herë që të hapet Fleta e Poshtme për përpunim, zëvendësim ose spastrim të figurës"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Prekeni dyfish që të hapet Fleta e Poshtme me mundësitë e gatshme"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Që të ribëhet ndryshimi i fundit, prekeni dyfish"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Shkarko kopjeruajtje"; +/* No comment provided by engineer. */ +"Download button settings" = "Rregullime butoni shkarkimesh"; + +/* No comment provided by engineer. */ +"Download button text" = "Tekst butoni shkarkimesh"; + /* Title for the button that will download the backup file. */ "Download file" = "Shkarko kartelën"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Shkarkoni gjedhe dhe pjesë gjedhesh tuajat."; + /* Label for number of file downloads. */ "Downloads" = "Shkarkime"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Skica"; +/* No comment provided by engineer. */ +"Drop cap" = "Kryeshkronjë"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Përsëdytje"; -/* No comment provided by engineer. */ -"Duplicate block" = "Përsëdyte bllokun"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURË)\nDritare, shumë e vogël në largësi, e ndriçuar.\nGjithçka përreth kësaj gjendet në një skenë thuajse tërësisht të errët. Tani, teksa kamera shkon ngadalë drejt dritares, e cila në kuadër është sa një pullë poste, zënë e duken forma të tjera;"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Lindje"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Përpunoni bllok %@"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Përpunojeni %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Përpunoni Fjalë Liste Bllokimesh"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Përpunoni Postimin"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Përpunoni URL RSS-je"; + +/* No comment provided by engineer. */ +"Edit URL" = "Përpunoni URL"; + /* No comment provided by engineer. */ "Edit file" = "Përpunoni kartelën"; /* No comment provided by engineer. */ "Edit focal point" = "Përpunoni pikë vatrore"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Përpunoni figurë galerie"; + +/* No comment provided by engineer. */ +"Edit image" = "Përpunoni figurën"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Përpunoni postime dhe faqe të reja me përpunuesin me blloqe."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Përpunoni butona ndarjesh me të tjerë"; +/* No comment provided by engineer. */ +"Edit table" = "Përpunoni tabelë"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Përpunoni postimin së pari"; +/* No comment provided by engineer. */ +"Edit track" = "Përpunoni pjesë"; + /* No comment provided by engineer. */ "Edit using web editor" = "Përpunojeni duke përdorur përpunuesin web"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email-i u dërgua!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Trupëzoni lëndë Amazon Kindle."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Trupëzoni lëndë Cloudup."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Trupëzoni lëndë CollegeHumor."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Trupëzoni lëndë Crowdsignal (dikur Polldaddy)."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Trupëzoni lëndë Flickr."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Trupëzoni lëndë Imgur."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Trupëzoni lëndë Issuu."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Trupëzoni lëndë Kickstarter."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Trupëzoni lëndë Meetup.com."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Trupëzoni lëndë Mixcloud."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Trupëzoni lëndë ReverbNation."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Trupëzoni lëndë Screencast."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Trupëzoni lëndë Scribd."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Trupëzoni lëndë Slideshare."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Trupëzoni lëndë SmugMug."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Trupëzoni lëndë SoundCloud."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Trupëzoni lëndë Speaker Deck."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Trupëzo lëndë Spotify."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Trupëzoni video Dailymotion."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Trupëzoni postim Facebook."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Trupëzoni rrjedhë Reddit."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Trupëzoni video TED."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Trupëzoni një video TikTok."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Trupëzoni postim Tumblr."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Trupëzoni video VideoPress."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Trupëzoni video Vimeo."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Trupëzoni postim WordPress."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Trupëzoni video WordPress.tv."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Trupëzoni video YouTube."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Trupëzoni një lojtës të thjeshtë audio."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Trupëzoni një mesazh Twitter."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Trupëzoni një video nga mediateka juaj ose ngarkoni një të re."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Trupëzoni video Animoto."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Trupëzoni postim Instagram."; + +/* translators: %s: filename. */ +"Embed of %s." = "Trupëzim i %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Trupëzim i kartelës PDF të përzgjedhur."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Lëndë e trupëzuar nga %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Lëndës së trupëzuar nga %s s’mund t’i bëhet paraparje te përpunuesi."; + +/* No comment provided by engineer. */ +"Embedding…" = "Po trupëzohet…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "E zbrazët"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL e Zbrazët"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Bllok i zbrazët; filloni të shkruani ose shtypni tastin pjerrake, që të zgjidhni një bllok"; + /* Button title for the enable site notifications action. */ "Enable" = "Aktivizoje"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Datë Përfundimi"; +/* No comment provided by engineer. */ +"English" = "Anglisht"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Kalo nën mënyrën “Sa Krejt Ekrani”"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Jepeni këtu URL-në…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Jepni këtu URL-në për trupëzim…"; + /* Enter a custom value */ "Enter a custom value" = "Jepni një vlerë vetajke"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Jepni një fjalëkalim për mbrojtjen e këtij postimi"; +/* No comment provided by engineer. */ +"Enter address" = "Jepni adresë"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Jepni më sipër fjalë të ndryshme dhe do të kërkojmë për një adresë që ka të tilla."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Që të aktivizohen rikthime me një klikim nga kopjeruatje, jepni kredencialet tuaja për te shërbyesi."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Që të eliminohet kërcënimi, jepni kredencialet tuaja për në shërbyes."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Që të eliminohen kërcënimet, jepni kredencialet tuaja për në shërbyes."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Gabim në përditësim rregullimesh përshpejtimi sajti"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Veprimtari"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Eksploroni plane"; +/* No comment provided by engineer. */ +"Export" = "Eksporto"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Eksporto Lëndë"; @@ -2553,13 +3152,13 @@ "Failed Media Export" = "Eksportimi i Medias Dështoi"; /* No comment provided by engineer. */ -"Failed to insert audio file." = "Failed to insert audio file."; +"Failed to insert audio file." = "S’u arrit të futej kartelë audio."; /* No comment provided by engineer. */ "Failed to insert audio file. Please tap for options." = "S’u arrit të futej kartelë audio. Ju lutemi, prekeni për mundësi."; /* No comment provided by engineer. */ -"Failed to insert media." = "Failed to insert media."; +"Failed to insert media." = "S’u arrit të futej media."; /* Error message to show to use when media insertion on a post fails */ "Failed to insert media.\n Please tap for options." = "Dështoi në futje mediash.\nJu lutemi, prekeni për mundësi."; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Figura e Zgjedhur s’u ngarkua"; +/* No comment provided by engineer. */ +"February 21, 2019" = "21 shkurt, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Po sillen Temat…"; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Lloj kartele"; +/* No comment provided by engineer. */ +"Fill" = "Mbushje"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Plotësoje me përgjegjësin e fjalëkalimeve"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Emri"; +/* No comment provided by engineer. */ +"Five." = "Pesë."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Ndreqi Krejt"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Të zgjidhur"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Kutiza tabele me gjerësi të fiksuar"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Zgjidhje Kërcënimesh"; @@ -2754,14 +3365,32 @@ "Follows the tag." = "Ndjek etiketën."; /* An example tag used in the login prologue screens. */ -"Football" = "Football"; +"Football" = "Futboll"; + +/* No comment provided by engineer. */ +"Footer cell text" = "Tekst kuadrati fundfaqeje"; + +/* No comment provided by engineer. */ +"Footer label" = "Etiketë fundfaqeje"; + +/* No comment provided by engineer. */ +"Footer section" = "Ndarje fundfaqe"; + +/* No comment provided by engineer. */ +"Footers" = "Fundfaqe"; /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Që ta keni më të lehtë, kemi paraplotësuar të dhëna tuajat kontakti WordPress.com. Ju lutemi, shihini, për të qenë të sigurt se janë të dhënat e sakta që doni të përdoren për këtë përkatësi."; +/* No comment provided by engineer. */ +"Format settings" = "Rregullime formati"; + /* Next web page */ "Forward" = "Përpara"; +/* No comment provided by engineer. */ +"Four." = "Katër."; + /* Browse free themes selection title */ "Free" = "Falas"; @@ -2789,11 +3418,14 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Tekst përshkrimi galerie"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Titull galerie. %s"; /* An example tag used in the login prologue screens. */ -"Gardening" = "Gardening"; +"Gardening" = "Lulishtari"; /* Add New Stats Card category title Title for the general section in site settings screen */ @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Krijojeni dhe vëreni në punë sajtin tuaj"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Frymëzohuni"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Po merren të dhëna llogarie"; /* Cancel */ "Give Up" = "Lëre Fare"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Jepini tekstit të cituar një theksim pamor. “Duke cituar të tjerët, ne citojmë vetveten”. — Hulio Kortazar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Jepini theksim të veçantë pamor një citimi prej tekstit tuaj."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Jepini sajtit tuaj një emër që pasqyron personalitetin dhe subjektin e tij. Përshtypja e parë ka vlerë!"; +/* No comment provided by engineer. */ +"Global Styles" = "Stile Globalë"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "Lëndë HTML"; +/* No comment provided by engineer. */ +"HTML element" = "Element HTML"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Krye 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Krye 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Tekst kuadrati kryefaqeje"; + +/* No comment provided by engineer. */ +"Header label" = "Etiketë kryesh"; + +/* No comment provided by engineer. */ +"Header section" = "Ndarje krye"; + +/* No comment provided by engineer. */ +"Headers" = "Krye"; + +/* No comment provided by engineer. */ +"Heading" = "Krye"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Krye %d"; + /* H1 Aztec Style */ "Heading 1" = "Titull 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Titull 6"; +/* No comment provided by engineer. */ +"Heading text" = "Tekst kryesh"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Lartësi në piksel"; + /* Help button */ "Help" = "Ndihmë"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Ikonë ndihme"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Ndihmojini vizitorët të gjeni lëndë tuajën."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Ja se si ka ecur postimi deri tani."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Fshihe tastierën"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Fshihe copëzën në një faqe lënde të plotë"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Mbaje për Moderim"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Kreu"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Urra!\nPothuajse mbaruat"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontale"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Si e ndreqi Jetpack-u?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Më Pëlqen"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Jam kaq i frymëzuar nga vepra e gdhendësit Çome Çomanga. Do t’i provoj këto teknika në veprën time të ardhshme"; + /* Title of a button style */ "Icon & Text" = "Ikonë & Tekst"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Nëse vazhdoni me Google apo Apple dhe s’keni ende një llogari WordPress.com, po krijoni një llogari dhe pajtoheni me _Kushtet tona të Shërbimit_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "Nëse keni dhënë një etiketë vetjake, do të vendoset para titullit."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Nëse e hiqni %1$@, ky përdorues s’do të jetë më në gjendje të hyjë në këtë sajt, por çfarëdo lënde që është krijuar prej %2$@ do të mbesë në sajt."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Madhësi Figure"; +/* No comment provided by engineer. */ +"Image caption text" = "Tekst përshkrimi figure"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Titull figure. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Rregullime figurash"; + /* Hint for image title on image settings. */ "Image title" = "Titull figure"; +/* No comment provided by engineer. */ +"Image width" = "Gjerësi figure"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Figurë, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Figurë, Datë & Titull"; + /* Undated post time label */ "Immediately" = "Menjëherë"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Shpjegoni, me pak fjalë, se për çfarë është ky sajt."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "Shpjegoni, me pak fjalë, se për çfarë është sajti juaj."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "Për sa i përket botimit, pavarësisht nga kriteret, motivet dhe synimet e botuesve, mund të themi se fjalët tona të urta radhiten ndërmjet atyre zhanreve folklorike që kanë pasur më shumë fat. Ato kanë tërhequr prej kohësh vëmendjen e folkloristëve, gjuhëtarëve, letrarëve dhe dijetarëve shqiptarë (edhe të huaj.)"; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "Duke cituar të tjerët, ne citojmë vetveten."; + /* Describes a status of a plugin */ "Inactive" = "Jo aktive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Emër përdoruesi ose fjalëkalim i pasaktë. Ju lutemi, provoni të rijepni hollësitë tuaja për hyrjen."; +/* No comment provided by engineer. */ +"Indent" = "Brendazi"; + +/* No comment provided by engineer. */ +"Indent list item" = "Zhvendose elementin e listës për brenda"; + /* Title for a threat */ "Infected core file" = "Kartelë bazë e infektuar"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Futni Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Futni një tabelë për të ndarë të dhëna."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Futni një tabelë — e përsosur për të ndarë me të tjerët grafikë dhe të dhëna."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Futni elementë vetjakë shtesë, përmes një kodi të shkurtër WordPress."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Futni një figurë për të lënë përshtypje."; + +/* No comment provided by engineer. */ +"Insert column after" = "Fut shtyllë pas"; + +/* No comment provided by engineer. */ +"Insert column before" = "Fut shtyllë para"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Futni media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Futni poezi. Përdorni formate speciale për hapësirat. Ose citoni vargje kënge."; + +/* No comment provided by engineer. */ +"Insert row after" = "Fut rresht pas"; + +/* No comment provided by engineer. */ +"Insert row before" = "Fut rresht para"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "U përzgjodh futës"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalimi i shtojcës së parë në sajtin tuaj mund të hajë deri në 1 minutë. Gjatë kësaj kohe, s’do të jeni në gjendje të bëni ndryshime në sajtin tuaj."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Përdorni ndarje të reja dhe sistemojeni lëndën tuaj për t’i ndihmuar vizitorët (dhe motorët e kërkimit) të kuptojnë strukturë e saj."; + /* Stories intro header title */ "Introducing Story Posts" = "Ju Paraqesim Postime Shkrimesh"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Të pjerrëta"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Muzikant Jazz-i"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mbajeni të përditësuar funksionimin e sajtit tuaj."; +/* No comment provided by engineer. */ +"Kind" = "Lloj"; + /* Autoapprove only from known users */ "Known Users" = "Përdorues të Njohur"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etiketë"; +/* No comment provided by engineer. */ +"Landscape" = "Peizazh"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Gjuhë"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Etiketë gjuhe (en, fr, etj.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "E madhe"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Përmbledhje Postimesh Më të Reja"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Rregullime për komentet më të reja"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Mësoni Më Tepër"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Mësoni më tepër rreth formatimit të datave dhe kohës."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Mësoni më tepër rreth trupëzimeve"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Mësoni më tepër rreth rolesh"; @@ -3360,7 +4124,10 @@ "Left" = "Majtas"; /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ -"Legacy Icons" = "Legacy Icons"; +"Legacy Icons" = "Ikona të Dikurshme"; + +/* No comment provided by engineer. */ +"Legacy Widget" = "Widget i Dikurshëm"; /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Le T’ju Ndihmojmë"; @@ -3368,11 +4135,17 @@ /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Bëmani të ditur kur të mbarojë!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Nivel %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Nivel %s. E zbrazët."; + /* Title for the app appearance setting for light mode */ "Light" = "E çelët"; /* Title displayed for selection of custom app icons that have white backgrounds. */ -"Light backgrounds" = "Light backgrounds"; +"Light backgrounds" = "Sfonde të çelët"; /* Like (verb) Like a post. @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Lidhje Për Te"; +/* No comment provided by engineer. */ +"Link color" = "Ngjyrë lidhjesh"; + +/* No comment provided by engineer. */ +"Link label" = "Etiketë lidhjeje"; + +/* No comment provided by engineer. */ +"Link rel" = "Atribut “rel” lidhjeje"; + +/* No comment provided by engineer. */ +"Link to" = "Lidhje te"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Lidhje për te %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Lidhje për te lëndë ekzistuese"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Lidhje në komente"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Lidhje të shfaqura në një shtyllë."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Lidhje të shfaqura në një rresht."; + +/* No comment provided by engineer. */ +"List" = "Listë"; + +/* No comment provided by engineer. */ +"List of template parts" = "Listë pjesësh gjedheje"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Stil liste"; +/* No comment provided by engineer. */ +"List text" = "Tekst liste"; + /* Title of the screen that load selected the revisions. */ "Load" = "Ngarkoje"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Po ngarkohet…"; +/* No comment provided by engineer. */ +"Loading…" = "Po ngarkohet…"; + /* Status for Media object that is only exists locally. */ "Local" = "Vendor"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Hyni me emrin tuaj të përdoruesit dhe fjalëkalimin për te WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Dilni"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Të dilet nga WordPress-i?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Kërkesa Për Hyrje Skadoi"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Rregullime për hyrje\/dalje"; + +/* No comment provided by engineer. */ +"Logos Only" = "Vetëm Stema"; + /* No comment provided by engineer. */ "Logs" = "Regjistra"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Duket se keni të rregulluar Jetpack-un në sajtin tuaj. Ju lumtë! Bëni hyrjen me kredencialet tuaja për te WordPress.com, që të aktivizoni Statistika dhe Njoftime."; +/* No comment provided by engineer. */ +"Loop" = "Qerthull"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Humbët fjalëkalimin tuaj?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Lëvizjet Kryesore"; +/* No comment provided by engineer. */ +"Main color" = "Ngjyrë bazë"; + +/* No comment provided by engineer. */ +"Make template part" = "Krijoni pjesë gjedheje"; + +/* No comment provided by engineer. */ +"Make title a link" = "Bëje titullin një lidhje"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Përputhjet në llogari kërkoji sipas email-esh"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Madhësi Maksimum Ngarkimi Kartele"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Madhësi Maksimum Ngarkimi Videosh"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Numër maksimum fjalësh në copëz"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "7 maj 2009"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Ngarkime Media"; +/* No comment provided by engineer. */ +"Media area" = "Zonë mediash"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media s’ka të përshoqëruar kartelë për ngarkim."; +/* No comment provided by engineer. */ +"Media file" = "Kartelë media"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Madhësia e kartelë media (%1$@) është shumë e madhe për ngarkim. Maksimumi i lejuar është %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Paraparja e medias dështoi."; +/* No comment provided by engineer. */ +"Media settings" = "Rregullime për media"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media u ngarkua (%ld kartela)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Mbikëqyrni sa kohë ka sajti që punon"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Muaj"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Më tepër në WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "Më tepër mjete & mundësi"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Koha Më Popullore"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Ule poshtë"; +/* No comment provided by engineer. */ +"Move image backward" = "Shpjere figurën prapa"; + +/* No comment provided by engineer. */ +"Move image forward" = "Shpjere figurën përpara"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Lëvizni element menuje"; @@ -3835,8 +4695,14 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Shpjere komentin te Hedhurinat."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Muzeume Për T’u Parë në Londër"; + /* An example tag used in the login prologue screens. */ -"Music" = "Music"; +"Music" = "Muzikë"; + +/* No comment provided by engineer. */ +"Muted" = "Pa zë"; /* Link to My Profile section My Profile view title */ @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Çështjet e Mia"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "Dhjetë Kafehanet e Mia Më të Mira"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Emër"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Shkon te pjesa për përshtatje gradienti"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Lëvizje (horizontalisht)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Lëvizje (vertikalisht)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Ju Duhet Ndihmë?"; @@ -3896,8 +4774,11 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Fjalë e Re Liste Bllokimesh"; +/* No comment provided by engineer. */ +"New Column" = "Shtyllë e Re"; + /* Title of alert informing users about the Reader Save for Later feature. */ -"New Custom App Icons" = "New Custom App Icons"; +"New Custom App Icons" = "Ikona të Reja Vetjake Aplikacioni"; /* IP Address or Range Insertion Title */ "New IP or IP Range" = "IP ose Interval IP-sh i ri"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Postime të reja"; +/* No comment provided by engineer. */ +"New template part" = "Pjesë e re gjedheje"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Më të rinjtë"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Pasuesi"; +/* No comment provided by engineer. */ +"Next Page" = "Faqja Pasuese"; + /* Table view title for the quick start section. */ "Next Steps" = "Hapat Pasues"; /* Accessibility label for the next notification button */ "Next notification" = "Njoftimi pasues"; +/* No comment provided by engineer. */ +"Next page link" = "Lidhje për te faqja pasuese"; + /* Accessibility label */ "Next period" = "Periudha pasuese"; +/* No comment provided by engineer. */ +"Next post" = "Postimi pasues"; + /* Label for a cancel button */ "No" = "Jo"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Pa lidhje"; +/* No comment provided by engineer. */ +"No Date" = "Pa Datë"; + /* List Editor Empty State Message */ "No Items" = "S’ka Objekte"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Ende pa komente"; +/* No comment provided by engineer. */ +"No comments." = "Pa komente."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Pa postime."; +/* No comment provided by engineer. */ +"No preview available." = "S’ka paraparje gati."; + /* A message title */ "No recent posts" = "Pa postime së fundi"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "S’e shihni email-in? Shihni te dosja juaj Të padëshiruar ose Të pavlerë."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Shënim: Luajtja e vetvetishme e audios mund të shkaktojë probleme përdorimi për disa vizitorë."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Shënim: Luajtja e vetvetishme e videove mund të shkaktojë probleme përdorimi për disa vizitorë."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Shënim: Skema e shtyllave mund të jetë ndryshojë sipas temash dhe madhësish ekrani"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Shënim: Shumica e shfletuesve në telefona dhe tablete s’do të shfaqin PDF-ra të trupëzuara."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "S’u gjet gjë."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Numër"; +/* No comment provided by engineer. */ +"Number of comments" = "Numër komentesh"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Listë Me Numra"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Buton One Fjalëkalimesh"; +/* No comment provided by engineer. */ +"One column" = "Një shtyllë"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "Një nga gjërat më të zorshme në teknologji është të dalësh nga vetja."; + +/* No comment provided by engineer. */ +"One." = "Një."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Shihni vetëm statistikat më me peshë. Shtoni prirje sipas nevojave tuaja."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hëm!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Hap Menu Veprimesh Blloqesh"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Hap Rregullime Pajisjeje"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Hap WordPress-in"; +/* No comment provided by engineer. */ +"Open block navigation" = "Hap menunë e lëvizjes nëpër blloqe"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Hap zgjedhësin e medias të plotë"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Ose hyni _duke dhënë adresën e sajtit tuaj_."; +/* No comment provided by engineer. */ +"Ordered" = "E renditur"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Listë e Renditur"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Rregullime listash të renditura"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Ent"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Sajte të Tjerë"; +/* No comment provided by engineer. */ +"Outdent" = "Jashtazi"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Zhvendose elementin e listës për jashtë"; + +/* No comment provided by engineer. */ +"Outline" = "Përvijim"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "I anashkaluar"; +/* No comment provided by engineer. */ +"PDF embed" = "Trupëzim PDF"; + +/* No comment provided by engineer. */ +"PDF settings" = "Rregullime për PDF"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Faqe"; +/* No comment provided by engineer. */ +"Page Link" = "Lidhje Faqeje"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Faqja u Rikthye te Skicat"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Rregullime Faqeje"; +/* No comment provided by engineer. */ +"Page break" = "Ndërprerje faqeje"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Bllok ndërprerjeje faqeje. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Faqosje"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraf"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Bllok paragrafësh"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Kategori Mëmë"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Ngjitni URL"; /* No comment provided by engineer. */ -"Paste block after" = "Ngjite bllokun pas"; +"Paste a link to the content you want to display on your site." = "Ngjitni një lidhje për te lënda që doni të shfaqet te sajti juaj."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Ngjite pa Formatim"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Zgjidhni skemën e parapëlqyer për faqen tuaj hyrëse. Mund ta përpunoni dhe përshtatni më vonë."; +/* No comment provided by engineer. */ +"Pill Shape" = "Kokërr"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plane"; +/* No comment provided by engineer. */ +"Play inline" = "Luaje brendazi"; + /* User action to play a video on the editor. */ "Play video" = "Luaje videon"; +/* No comment provided by engineer. */ +"Playback controls" = "Kontrolle luajtjeje"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Ju lutemi, shtoni ca lëndë, përpara se të provoni të botoni."; @@ -4678,7 +5643,7 @@ "Plugins" = "Shtojca"; /* An example tag used in the login prologue screens. */ -"Politics" = "Politics"; +"Politics" = "Politikë"; /* Header of section in Plugin Directory showing popular plugins Screen title, where users can see the most popular plugins */ @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Gjuhë popullore"; +/* No comment provided by engineer. */ +"Portrait" = "Portret"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Postim"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Kategori Postimesh"; +/* No comment provided by engineer. */ +"Post Comment" = "Postojeni Komentin"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Autor Komenti Postimi"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Lëndë Komenti Postimi"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Datë Komenti Postimesh"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Bllok Numri Komentesh Postimi: s’u gjet postim."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Formular Komentesh Postimi"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Bllok Formular Komentesh Postimi: komentet s’janë të passhëm për këtë lloj postimi."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Bllok Formular Komentesh Postimi: s’lejohen komente në këtë postim."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Bllok Lidhje Komentesh Postimi: s’u gjet postim."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format Postimesh"; +/* No comment provided by engineer. */ +"Post Link" = "Lidhje Postimi"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Postimi u Rikthye te Skicat"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Postim nga %1$@, prej %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Bllok komentesh postimi: s’u gjet postim."; + +/* No comment provided by engineer. */ +"Post content settings" = "Rregullime lënde postimi"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Postim i krijuar më %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Ngarkimi i postimit dështoi"; +/* No comment provided by engineer. */ +"Post meta settings" = "Rregullime Meta postimi"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Postimi u shpu te hedhurinat."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Postuar te %1$@, më %2$@, nga %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Figurë afishe"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Veprimtari Postimi"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Postime"; +/* No comment provided by engineer. */ +"Posts List" = "Listë Postimesh"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Faqe Postimesh"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Bazuar në Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Tekst i paraformatuar"; + +/* No comment provided by engineer. */ +"Preload" = "Parangarkoje"; + /* Browse premium themes selection title */ "Premium" = "Me pagesë"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Bëni një paraparje të sajtit tuaj që të shihni ç’do të shohin vizitorët tuaj."; +/* No comment provided by engineer. */ +"Previous Page" = "Faqja e Mëparshme"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Njoftimi i mëparshëm"; +/* No comment provided by engineer. */ +"Previous page link" = "Lidhje për te faqja e mëparshme"; + /* Accessibility label */ "Previous period" = "Periudha e mëparshme"; +/* No comment provided by engineer. */ +"Previous post" = "Postimi i mëparshëm"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sajti Parësor"; @@ -4874,7 +5902,7 @@ "Problem displaying block" = "Problem me shfaqjen e bllokut"; /* Error message title informing the user that reader content could not be loaded. */ -"Problem loading content" = "Problem loading content"; +"Problem loading content" = "Problem me ngarkimin e lëndës"; /* Error message title informing the user that a search for sites in the Reader could not be loaded. */ "Problem loading sites" = "Problem në ngarkim sajtesh"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekte"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Kërkojuni vizitorëve të ndërmarrin një veprim, përmes një lidhje në stil butoni."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Kërkojuni vizitorëve të ndërmarrin një veprim, përmes një grupi lidhjesh në stil butoni."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Lloji i dhënë i postimeve nuk mbulohet."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publik"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Po botohet…"; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Tekst citimi të nxjerrë në pah"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Tekst citimi"; + /* Title of screen showing site purchases */ "Purchases" = "Blerje"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Njoftimet push janë çaktivizuar te rregullimet e iOS-it. Që t’i lejoni sërish, kaloni nën “Lejo Njoftime”."; +/* No comment provided by engineer. */ +"Query Title" = "Titull Kërkese"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Nisje e Shpejtë"; +/* No comment provided by engineer. */ +"Quote citation text" = "Tekst citimi"; + +/* No comment provided by engineer. */ +"Quote text" = "Tekst citimi"; + +/* No comment provided by engineer. */ +"RSS settings" = "Rregullime RSS-je"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Vlerësonani në App Store"; +/* No comment provided by engineer. */ +"Read more" = "Lexoni më tepër"; + +/* No comment provided by engineer. */ +"Read more link text" = "Tekst lidhjeje “Lexoni më tepër”"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Lexoni më poshtë"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "I rilidhur"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Ridrejtoje te URL-ja e tanishme"; + /* Label for link title in Referrers stat. */ "Referrer" = "Referues"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Postimet e Afërta shfaqin nën postime tuajat lëndë të afërt prej sajtit tuaj"; +/* No comment provided by engineer. */ +"Release Date" = "Datë Hedhjeje Në Qarkullim"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Hiqe këtë postim nga postimet e mi të ruajtur."; +/* No comment provided by engineer. */ +"Remove track" = "Hiqe pjesën"; + /* User action to remove video. */ "Remove video" = "Hiqni videon"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Zëvendësoni kartelë"; +/* No comment provided by engineer. */ +"Replace image" = "Zëvendëso figurën"; + /* No comment provided by engineer. */ "Replace image or video" = "Zëvendësoni figurë ose video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ripërmasojeni & Qetheni"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Ripërmasoje për pajisje më të vogla"; + /* The largest resolution allowed for uploading */ "Resolution" = "Qartësi"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Riktheje sajtin"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Riktheje gjedhen te tema parazgjedhje"; + /* Button title for restore site action */ "Restore to this point" = "Riktheje te kjo pikë"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Blloqet e ripërdorshëm s’janë të përpunueshëm në WordPress për iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Numërim liste së prapthi"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Prapëso Ndryshimin Pezull"; @@ -5320,13 +6402,19 @@ "Right" = "Djathtas"; /* Example Reader feed title */ -"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; +"Rock 'n Roll Weekly" = "Fyejt Gjatë Javës"; /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ "Role" = "Rol"; +/* No comment provided by engineer. */ +"Rotate" = "Rrotulloje"; + +/* No comment provided by engineer. */ +"Row count" = "Numër rreshti"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "U dërgua Me SMS"; @@ -5455,10 +6543,10 @@ "Search WordPress\nfor a site or post" = "Kërkoni në WordPress\npër një sajt apo postim"; /* No comment provided by engineer. */ -"Search block" = "Search block"; +"Search block" = "Bllok kërkimesh"; /* No comment provided by engineer. */ -"Search blocks" = "Search blocks"; +"Search blocks" = "Kërkon në blloqe"; /* No comment provided by engineer. */ "Search or type URL" = "Kërkoni ose shtypni URL"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Përzgjidhni stil paragrafi"; +/* No comment provided by engineer. */ +"Select poster image" = "Përzgjidhni figurë afishe"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Përzgjidhni %@ që të shtoni llogari tuajat prej mediash shoqërore"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Dërgo njoftime push"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Ndajeni lëndën tuaj sipas një trajte shumë faqesh."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Shërbeni figura që nga shërbyesit tanë"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Caktojeni Faqe Postimesh"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Vini krah për krah media dhe fjalë, për një skemë më të larmishme."; + /* The Jetpack view button title for the success state */ "Set up" = "U ujdis"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Gabim në ndarje me të tjerët"; +/* No comment provided by engineer. */ +"Shortcode" = "Kod i shkurtër"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Tekst kodi të shkurtër"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Shfaq Kryet"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Shfaqni Postime të Afërta"; +/* No comment provided by engineer. */ +"Show download button" = "Shfaq buton shkarkimesh"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Shfaq trupëzim brendazi"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Shfaqni lidhje hyrjeje & daljeje."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Shfaqe fjalëkalimin"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Shfaq lëndë postimi"; +/* No comment provided by engineer. */ +"Show post counts" = "Shfaq numërim postimesh"; + /* translators: Checkbox toggle label */ "Show section" = "Shfaq ndarje"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Shfaqje vetëm të postimeve të mia"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Shfaqje shkronje fillestare të madhe."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Po shfaqen statistika për:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shfaq postimet e sajtit."; +/* No comment provided by engineer. */ +"Sidebars" = "Anështylla"; + /* View title during the sign up process. */ "Sign Up" = "Regjistrohuni"; @@ -5825,7 +6946,7 @@ "Siri Reset Prompt" = "Pastro Sugjerime Shkurtoresh Siri"; /* Header for a single site, shown in Notification user profile. */ -"Site" = "Site"; +"Site" = "Sajt"; /* Accessibility label for site icon button */ "Site Icon" = "Ikonë Sajti"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Gjuhë Sajti"; +/* No comment provided by engineer. */ +"Site Logo" = "Stemë Sajti"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Faqe sajti"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Siguri dhe funksionim sajti\nqë nga xhepi"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Tekst motoje sajti"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Zonë kohore e sajtit (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titulli i sajtit u ndryshua me sukses"; +/* No comment provided by engineer. */ +"Site title text" = "Tekst titulli sajti"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sajte"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sajte për t’u ndjekur"; +/* No comment provided by engineer. */ +"Six." = "Gjashtë."; + /* Image size option title. */ "Size" = "Madhësi"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Shoqërore"; +/* No comment provided by engineer. */ +"Social Icon" = "Ikonë Shoqërorësh"; + +/* No comment provided by engineer. */ +"Solid color" = "Ngjyrë e plotë"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Ngarkimi i disa mediave dështoi. Ky veprim do të sjellë heqjen nga postimi të krejt mediave që dështuan.\nTë ruhet, sido qoftë?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Na ndjeni, ky emër përdoruesi ekziston tashmë!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Na ndjeni, ai emër përdoruesi s’është i passhëm."; +"Sorry, that username is unavailable." = "Na ndjeni, ai emër përdoruesi s’është i passhëm."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Na ndjeni, kjo lëndë s’u trupëzua dot."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Na ndjeni, emrat e përdoruesve mund të përmbajnë vetëm shkronja të vogla (a-z) dhe numra."; @@ -5993,7 +7139,7 @@ "Sorry, you may not use that site address." = "Na ndjeni, s’mund të përdorni atë adresë sajti."; /* A short error message letting the user know the requested reader content could not be loaded. */ -"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; +"Sorry. The content could not be loaded." = "Na ndjeni. Lënda s’u ngarkua dot."; /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Na ndjeni. Shërbimi shoqëror nuk na tregoi cila llogari të përdoret për ndarje me të tjerët."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Renditi Sipas"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Renditje dhe filtrim"; + /* Opens the Github Repository Web */ "Source Code" = "Kod Burim"; +/* No comment provided by engineer. */ +"Source language" = "Gjuhë burimi"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Jug"; /* Label for showing the available disk space quota available for media */ "Space used" = "Hapësirë e përdorur"; +/* No comment provided by engineer. */ +"Spacer settings" = "Rregullime ndarësi"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Përshpejtoni funksionimin e sajtit tuaj"; +/* No comment provided by engineer. */ +"Square" = "Katror"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Fillojani Nga e Para"; +/* No comment provided by engineer. */ +"Start value" = "Vlerë fillimi"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Fillojani me bllokun themelor të krejt rrëfimit."; + /* No comment provided by engineer. */ "Start writing…" = "Nisni të shkruani…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Hequrvije"; +/* No comment provided by engineer. */ +"Stripes" = "Shirita"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Po parashtrohet për Shqyrtim…"; +/* No comment provided by engineer. */ +"Subtitles" = "Titra"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Treguesi i projektorit u hoq me sukses"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Asistencë"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Këmbe Sajt"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Parazgjedhje sistemi"; +/* No comment provided by engineer. */ +"Table" = "Tabelë"; + +/* No comment provided by engineer. */ +"Table caption text" = "Tekst përshkrimi tabele"; + /* No comment provided by engineer. */ "Table of Contents" = "Tryeza e Lëndës"; +/* No comment provided by engineer. */ +"Table settings" = "Rregullime tabelash"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabelë që shfaqe %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiketë"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Rregullime Reje Etiketash"; + +/* No comment provided by engineer. */ +"Tag Link" = "Lidhje Etikete"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Ka tashmë një etiketë të tillë"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tregonani se ç’lloj sajti do të donit të bënit"; +/* No comment provided by engineer. */ +"Template Part" = "Pjesë Gjedheje"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "U fut Pjesë Gjedheje \"%s\"."; + +/* No comment provided by engineer. */ +"Template Parts" = "Pjesë Gjedheje"; + +/* No comment provided by engineer. */ +"Template part created." = "U krijua pjesë gjedheje."; + +/* No comment provided by engineer. */ +"Templates" = "Gjedhe"; + +/* No comment provided by engineer. */ +"Term description." = "Përshkrim termi."; + /* The underlined title sentence */ "Terms and Conditions" = "Terma dhe Kushte"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Vetëm Tekst"; +/* No comment provided by engineer. */ +"Text link settings" = "Rregullime lidhjesh tekst"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Më mirë më dërgoni kod me tekst"; +/* No comment provided by engineer. */ +"Text settings" = "Rregullime teksti"; + +/* No comment provided by engineer. */ +"Text tracks" = "Pjesë tekst"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Faleminderit që zgjodhët %1$@ nga %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Aplikacioni WordPress për Android i Ndërron Pamjen Goxha"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "Tifozët Më të Zjarrtë të Botës"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Aplikacioni s’e kupton dot përgjigjen e shërbyesit. Ju lutemi, kontrolloni formësimin e sajtit tuaj."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Dëshmia për këtë shërbyes është e pavlefshme. Mund të jeni duke u lidhur te një shërbyes që pretendon të jetë “%@”, gjë që do t’i vinte në rrezik të dhënat tuaja rezervat.\n\nDo të donit të besohej kjo dëshmi, sido që të jetë?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "URL-ja e figurës së tanishme afishe është %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "Copëza është e fshehur."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "Copëza është e dukshme."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Kartela %1$@ përmban rregullsi kodi dashakeq"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoja s’u shtua dot te Mediateka."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "Cinxamiu
e nxjerr bukën e gojës
pa zhurmë e bujë."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema u Aktivizua"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Pati një problem me lidhjen te %@. Rilidhuni që të vazhdohet publicizimi."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "S’ka të përzgjedhur figurë afisheje"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Që të mund të shtojë foto dhe\/ose video në postimet tuaja, ky aplikacion lyp leje hyrjeje në mediatekën e pajisjes tuaj. Nëse doni ta lejoni këtë, ju lutemi, ndryshoni rregullimet mbi privatësinë."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "Ky bllok është nxjerrë nga përdorimi. Në vend të tij, ju lutemi, përdorni bllokun Shtylla."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "Vlera e kësaj shtylle tejkalon madhësinë e rekomanduar dhe mund të shkaktojë dëmtim të pamjes."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Kjo përkatësi s’është e lirë"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Kërcënimi u shpërfill."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Tre shtylla; ndarje e barabartë"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Tre shtylla; shtyllë e gjerë në qendër"; + +/* No comment provided by engineer. */ +"Three." = "Tre."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniaturë"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Titull"; +/* No comment provided by engineer. */ +"Title & Date" = "Titull & Datë"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Titull & Copëz"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titulli është i detyrueshëm për një kategori."; +/* No comment provided by engineer. */ +"Title of track" = "Titull pjese"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Titull, Datë & Copëz"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Që të shtohen foto ose video te postimet tuaja."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Që të vazhdohet me këtë llogari Google, ju lutemi, së pari bëni hyrjen me fjalëkalimin tuaj për te WordPress.com. Kjo do t’ju kërkohet vetëm një herë."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "Që të shfaqet një koment, jepni ID-në e komentit."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Që të bëjë foto ose video për t’u përdorur te postimet tuaja."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Shfaq\/Fshih Burimin HTML "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Shfaq\/Fshih menu lëvizjesh"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Klikojeni që të shfaqet një shkronjë fillestare e madhe."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Aktivizon\/Çaktivizon stilin Listë e Renditur"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Fjalë Gjithsej"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Pjesët mund të jenë titra, tituj, kapituj ose përshkrime. Ato ndihmojnë për ta bërë lëndën tuaj më të përdorshme për një gamë të gjerë përdoruesish."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Përkthejeni"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Emër përdoruesi Twitter"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Dy shtylla; ndarje e barabartë"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Dy shtylla; ndarje një të tretë; dy të treta"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Dy shtylla; ndarje dy të treta, një të tretë"; + +/* No comment provided by engineer. */ +"Two." = "Dy."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Për më tepër ide, shtypni një fjalëkyç"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sajt i Paemër"; +/* No comment provided by engineer. */ +"Unordered" = "E parenditur"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Listë e Parenditur"; /* Filters Unread Notifications */ "Unread" = "Të palexuara"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Pa përgjigje"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Ndryshime të Paruajtura"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Pa titull"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Pjesë Pa Emër e Gjedhes"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Ruhen regjistrime deri për shtatë ditë."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Ngarkoni Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Ngarkoni një kartelë ose zgjidhni një nga mediateka juaj."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Ngarkoni një ikonë sajti"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Ngarkoni një figurë, ose zgjidhni një që nga mediateka juaj, për të qenë stema e sajtit tuaj."; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Ngarkimi dështoi"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Përdor Vendin e Tanishëm"; +/* No comment provided by engineer. */ +"Use URL" = "Përdore URL-në"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Përdorni përpunuesin me blloqe"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Përdor përpunuesin klasik WordPress."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Përdoreni këtë lidhje për hapat e mirëseardhjes për anëtarët e ekipit tuaj, pa u dashur t’i ftoni tek e tek. Gjithkush që viziton këtë URL, do të jetë në gjendje të regjistrohet në entin tuaj, madje edhe nëse lidhjen e marrin nga dikush tjetër, ndaj sigurohuni se ua jepni personave të besuar."; /* No comment provided by engineer. */ "Use this site" = "Përdor këtë sajt"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "E dobishme për të shfaqur një shenjë, skemë ose simbol grafik, që përfaqëson sajtin. Pasi të caktohet një stemë sajti, mund të ripërdoret në vende dhe gjedhe të ndryshme. S’duhet ngatërruar me ikonën e sajtit, e cila është një figurë e vockël e përdorur te pulit, skeda shfletuesish, përfundime kërkimesh publike, etj, për të ndihmuar të dallohet një sajt."; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifikoni adresën tuaj email - udhëzimet u dërguan te %@"; +/* No comment provided by engineer. */ +"Verse text" = "Tekst vargu"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Është gati versioni %@"; +/* No comment provided by engineer. */ +"Vertical" = "Vertikalisht"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Paraparje Videoje Ende Jo Gati"; +/* No comment provided by engineer. */ +"Video caption text" = "Tekst videoje"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Legjendë videoje. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Eksportimi i videos u anulua."; +/* No comment provided by engineer. */ +"Video settings" = "Rregullime për videon"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Parës"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Lartësi skene pamjeje (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Temë %1$@ e Cenueshme (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Udhës me zor gjarpëronin të lodhur\nPa pritur gjë nga nata dhe i ftohti\nShpresat pas shumë herët kishin lënë\nDhe nuk besonin më as dhe te Zoti\nTë mundur, të harruar dhe drejt fundit\nHije të vetmuara të asgjëkundit."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Përgjegjës WP-je"; @@ -7651,7 +8971,7 @@ "Web Display Settings" = "Rregullime Shfaqjeje Web"; /* Example Reader feed title */ -"Web News" = "Web News"; +"Web News" = "Lajme Në Internet"; /* Blog Writing Settings: Weeks starts on */ "Week starts on" = "Java nis me"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Mirë se vini te Lexuesi"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Mirë se vini në botën e mrekullueshme të blloqeve…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Mirë se vini te krijuesi më popullor në botë i sajteve."; @@ -7703,7 +9026,7 @@ "We’ve made some changes to your checklist" = "Bëmë ca ndryshime te lista juaj"; /* Body text of alert informing users about the Reader Save for Later feature. */ -"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "Kemi përditësuar ikonat tona të aplikacioneve, për një pamje të re. Ka 10 stile të rinj nga të zgjidhet, ose mundeni të mbani ikonën tuaj ekzistuese, nëse parapëlqeni."; /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "Si ju duket WordPress-i?"; @@ -7712,7 +9035,7 @@ "What do you want to do with this file: upload it and add a link to the file into your post, or add the contents of the file directly to the post?" = "Ç’doni të bëni me këtë kartelë: të ngarkohet dhe të shtohet te postimi juaj një lidhje për te kartela, apo të shtohet lënda e kartelës drejt e te postimi?"; /* No comment provided by engineer. */ -"What is alt text?" = "What is alt text?"; +"What is alt text?" = "Ç’është teksti alternativ?"; /* Title for the problem section in the Threat Details */ "What was the problem?" = "Cili qe problemi?"; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Hëm, ky s’është kod i vlefshëm mirëfilltësimi dyfaktorësh. Kontrolloni sërish kodin tuaj dhe riprovoni!"; +/* No comment provided by engineer. */ +"Wide Line" = "Vijë e Gjerë"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widget-e"; +/* No comment provided by engineer. */ +"Width in pixels" = "Gjerësi në piksel"; + /* Help text when editing email address */ "Will not be publicly displayed." = "S’do të shfaqet botërisht."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Me fuqinë e përpunuesit mund të postoni kudo që ndodheni."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Tushë pylli që këndon në Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Rregullime Aplikacioni WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Shkruani një përgjigje…"; +/* No comment provided by engineer. */ +"Write code…" = "Shkruani kod…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Shkruani emër kartele…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Shkruani titull galerie…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Shkruani tekst të paraformatuar…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Shkruani këtu kod të shkurtë…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Shkruani moto sajti…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Shkruani titull sajti…"; + +/* No comment provided by engineer. */ +"Write title…" = "Shkruani një titull…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Shkruani vargje…"; + /* Title for the writing section in site settings screen */ "Writing" = "Shkrim"; @@ -7996,7 +9355,7 @@ "You need to verify your account before you can publish a post.\nDon’t worry, your post is safe and will be saved as a draft." = "Lypset të verifikoni llogarinë tuaj përpara se të mund të botoni një postim.\nMos u shqetësoni, postimi juaj është i parrezikuar dhe do të ruhet si një skicë."; /* Example Likes notification displayed in the prologue carousel of the app. Number of likes should marked with * characters and will be displayed as bold text. */ -"You received *50 likes* on your site today" = "You received *50 likes* on your site today"; +"You received *50 likes* on your site today" = "Sot në sajtin tuaj patët *50 pëlqime*"; /* Message displayed in popup when user has the option to load unsaved changes. is a placeholder for a new line, and the two %@ are placeholders for the date of last save on this device, and date of last autosave on another device, respectively. */ @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Adresa e sajtit tuaj shfaqet te shtylla në krye të skenës, kur vizitoni sajtin tuaj nën Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Sajti juaj nuk përmban mbulim për bllokun \"%s\". Këtë bllok mund ta lini të paprekur ose ta hiqni fare."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Sajti juaj nuk përmban mbulim për bllokun \"%s\". Këtë bllok mund ta lini të paprekur, ta shndërroni në një bllok HTML-je Vetjake, ose ta hiqni fare."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Sajti juaj nuk përmban mbulim për këtë bllok."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Sajti juaj u krijua!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Për postime të reja tanimë po përdorni përpunuesin me blloqe — bukur! Nëse do të donit ta ndryshonit me përpunuesin klasik, shkoni te ‘Sajti Im’ > ‘Rregullime Sajti’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[KOMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "një orë"; +/* No comment provided by engineer. */ +"archive" = "arkiv"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "bllok citimi"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "listë me toptha"; + /* Used when displaying author of a plugin. */ "by %@" = "nga %@"; +/* No comment provided by engineer. */ +"cite" = "citoni"; + /* The menu item to select during a guided tour. */ "connections" = "lidhje"; +/* No comment provided by engineer. */ +"container" = "kontejner"; + +/* No comment provided by engineer. */ +"description" = "përshkrim"; + +/* No comment provided by engineer. */ +"divider" = "ndarës"; + +/* No comment provided by engineer. */ +"document" = "dokument"; + /* No comment provided by engineer. */ "document outline" = "përvijim dokumenti"; @@ -8150,7 +9551,13 @@ "doesn’t it feel good to cross things off a list?" = "a s’ju kënaq t’i hiqni vizë gjërave në një listë?"; /* No comment provided by engineer. */ -"double-tap to change unit" = "double-tap to change unit"; +"double-tap to change unit" = "Që të ndryshoni njësinë, prekeni dy herë"; + +/* No comment provided by engineer. */ +"download" = "shkarkim"; + +/* No comment provided by engineer. */ +"ebook" = "elibër"; /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "p.sh., 1122334455"; @@ -8158,20 +9565,44 @@ /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "p.sh., 44"; +/* No comment provided by engineer. */ +"embed" = "trupëzim"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "prurje"; + +/* No comment provided by engineer. */ +"find" = "gjej"; + /* Noun. Describes a site's follower. */ "follower" = "ndjekës"; +/* No comment provided by engineer. */ +"form" = "formular"; + +/* No comment provided by engineer. */ +"horizontal-line" = "vijë horizontale"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/adresa-e-sajtit-tim (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "figurë"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "figura %1$d nga %2$d në galeri"; + +/* No comment provided by engineer. */ +"images" = "figura"; + /* Text for related post cell preview */ "in \"Apps\"" = "te “Aplikacione”"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "më vonë, sot"; +/* No comment provided by engineer. */ +"link" = "lidhje"; + +/* No comment provided by engineer. */ +"links" = "lidhje"; + +/* No comment provided by engineer. */ +"login" = "hyrje"; + +/* No comment provided by engineer. */ +"logout" = "dalje"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "film"; + +/* No comment provided by engineer. */ +"music" = "muzikë"; + +/* No comment provided by engineer. */ +"navigation" = "lëvizje"; + +/* No comment provided by engineer. */ +"next page" = "faqja pasuese"; + +/* No comment provided by engineer. */ +"numbered list" = "listë me numra"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "nga"; +/* No comment provided by engineer. */ +"ordered list" = "listë e renditur"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "tjetër"; +/* No comment provided by engineer. */ +"pagination" = "faqosje"; + /* No comment provided by engineer. */ "password" = "fjalëkalim"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "numër telefoni"; +/* No comment provided by engineer. */ +"photos" = "foto"; + +/* No comment provided by engineer. */ +"picture" = "foto"; + +/* No comment provided by engineer. */ +"podcast" = "podkast"; + +/* No comment provided by engineer. */ +"poem" = "poemë"; + +/* No comment provided by engineer. */ +"poetry" = "poezi"; + +/* No comment provided by engineer. */ +"post" = "postim"; + +/* No comment provided by engineer. */ +"posts" = "postime"; + +/* No comment provided by engineer. */ +"read more" = "lexoni më tepër"; + +/* No comment provided by engineer. */ +"recent comments" = "komente së fundi"; + +/* No comment provided by engineer. */ +"recent posts" = "postime së fundi"; + +/* No comment provided by engineer. */ +"recording" = "incizim"; + +/* No comment provided by engineer. */ +"row" = "rresht"; + +/* No comment provided by engineer. */ +"section" = "ndarje"; + +/* No comment provided by engineer. */ +"social" = "shoqëror"; + +/* No comment provided by engineer. */ +"sound" = "tingull"; + +/* No comment provided by engineer. */ +"subtitle" = "nëntitull"; + /* No comment provided by engineer. */ "summary" = "përmbledhje"; +/* No comment provided by engineer. */ +"survey" = "pyetësor"; + +/* No comment provided by engineer. */ +"text" = "tekst"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "këto objekte do të fshihen:"; +/* No comment provided by engineer. */ +"title" = "titull"; + /* Today */ "today" = "sot"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sajte, sajt, blogje, blog"; +/* No comment provided by engineer. */ +"wrapper" = "mbështjellëse"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "përkatësia juaj e re %@ po rregullohet. Sajti juaj po bën kollotumba në ajër nga gëzimi!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Përkatësi"; diff --git a/WordPress/Resources/sv.lproj/Localizable.strings b/WordPress/Resources/sv.lproj/Localizable.strings index 7ff8d76e9fee..cd55439d1931 100644 --- a/WordPress/Resources/sv.lproj/Localizable.strings +++ b/WordPress/Resources/sv.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-23 23:21:28+0000 */ +/* Translation-Revision-Date: 2021-05-06 09:54:48+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: sv_SE */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ej visade inlägg"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s omvandat till %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d av %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s är %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li ord, %2$li tecken"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "Inställningar för blocket %s"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Block av typen %s. Tomt"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Block av typen %s. Detta block har ogiltigt innehåll"; +/* translators: %s: Number of comments */ +"%s comment" = "%s kommentar"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "”%s” stöds inte fullt ut"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adressrad %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 ukast för inlägg har laddats upp"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potentiellt hot hittat"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25\/50\/25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30\/70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33\/33\/33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50\/50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70\/30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 timme"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Knappen ”mer” innehåller en rullgardinsmeny som visar delningsknappar"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "Ett moln av dina mest använda etiketter."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "En utvald bild är angiven. Tryck för att byta."; /* Title for a threat */ "A file contains a malicious code pattern" = "En fil innehåller ett skadligt kodmönster"; +/* No comment provided by engineer. */ +"A link to a category." = "En länk till en kategori."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "En länk till en anpassad URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "En länk till en sida."; + +/* No comment provided by engineer. */ +"A link to a post." = "En länk till ett inlägg."; + +/* No comment provided by engineer. */ +"A link to a tag." = "En länk till en etikett."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "En lista med webbplatser på detta konto."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "En serie steg för att hjälpa dig öka din webbplats målgrupp."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Det finns redan en etikett med namnet ”%@”."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Om"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Lägg till nytt kort med statistik"; +/* No comment provided by engineer. */ +"Add Template" = "Lägg till mall"; + /* No comment provided by engineer. */ "Add To Beginning" = "Lägg till först"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Lägg till ett ämne"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Lägg till en anpassad CSS-URL här som ska hämtas i läsaren. Om du kör Calypso lokalt kan länken se ut ungefär så här: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Lägg till en länk till en nedladdningsbar fil."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Lägg till en webbplats på webbhotell\/egen server"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Lägg till alt-text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Lägg till något ämne"; +/* No comment provided by engineer. */ +"Add caption" = "Lägg till bildtext"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Lägg till en bild eller profilbild för att representera detta nya konto."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Lägg till ett block med ett textstycke"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Lägg till citat"; + /* Add self-hosted site button */ "Add self-hosted site" = "Lägg till webbplats på egen server"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Lägg till etiketter"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Lägg till text …"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Lägg till författaren till det här inlägget."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Lägg till datumet för det här inlägget."; + /* No comment provided by engineer. */ "Add this email link" = "Länka till denna e-postadress"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Länka till detta telefonnummer"; +/* No comment provided by engineer. */ +"Add tracks" = "Lägg till spår"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Lägger till olika webbplatsfunktioner"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Album"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Justering"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ett fel uppstod."; +/* No comment provided by engineer. */ +"An example title" = "En exempelrubrik"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ett okänt fel har inträffatt. Försök igen."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Godkänner kommentaren."; +/* No comment provided by engineer. */ +"Archive Title" = "Arkivrubrik"; + +/* No comment provided by engineer. */ +"Archive title" = "Arkivrubrik"; + +/* No comment provided by engineer. */ +"Archives settings" = "Arkivinställningar"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Är det säkert att du vill avbryta och slänga ändringar?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Är du säker på att du vill uppdatera?"; +/* No comment provided by engineer. */ +"Area" = "Område"; + /* An example tag used in the login prologue screens. */ "Art" = "Konst"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Från 1 augusti 2018 tillåter inte längre Facebook direktdelning av inlägg till Facebook-profiler. Anslutningar till Facebook-sidor fungerar som tidigare."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Bildförhållande"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Bifoga filen som en länk"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Ljudspelare"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Beskrivning för ljudfil. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Beskrivning för ljudfil. Tom"; +/* No comment provided by engineer. */ +"Audio settings" = "Ljudinställningar"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Ljudfil, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Författare"; +/* No comment provided by engineer. */ +"Auto" = "Automatisk"; + /* Describes a status of a plugin */ "Auto-managed" = "Hanteras automatiskt"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Dela automatiskt nya inlägg på dina konton i sociala media."; +/* No comment provided by engineer. */ +"Autoplay" = "Spela upp automatiskt"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Automatiska uppdateringar"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Citatblock"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blocket kopierat"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blocket har klippts ut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blocket har duplicerats"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blockredigeraren är aktiverad"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block har tagits bort eller är inte tillgängligt."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blockera obehöriga inloggningsförsök"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blocket har klistrats in"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blocket har tagits bort"; - -/* No comment provided by engineer. */ -"Block settings" = "Blockinställningar"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blockera denna webbplats"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Bloggens tittare"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Fetstil"; +/* No comment provided by engineer. */ +"Border" = "Ram"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Dela upp kommentarstrådar i flera sidor."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Bläddra bland alla teman för att hitta det som passar dig perfekt."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Skydd mot brute force-attacker"; @@ -980,7 +1159,10 @@ "Button Style" = "Knappstil"; /* No comment provided by engineer. */ -"ButtonGroup" = "Knappgrupp"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Knappar visade i en rad."; /* Label for the post author in the post detail. */ "By " = "av"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Beräknar..."; +/* No comment provided by engineer. */ +"Call to Action" = "Uppmaning till åtgärd"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Bildtext"; +/* No comment provided by engineer. */ +"Captions" = "Bildtexter"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Var försiktig!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; +/* No comment provided by engineer. */ +"Category Link" = "Kategorilänk"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorirubrik saknas."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certifikat-fel"; +/* No comment provided by engineer. */ +"Change Date" = "Ändra datum"; + /* Account Settings Change password label Main title */ "Change Password" = "Ändra lösenord"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Ändra blockets position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Ändra kolumnens justering"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Förändringen misslyckades"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ändra typen av enhet som används för förhandsgranskning"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Ändrar användarnamn"; +/* No comment provided by engineer. */ +"Chapters" = "Kapitel"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Fel vid kontroll av inköp"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Välj domän"; +/* No comment provided by engineer. */ +"Choose existing" = "Välj befintlig"; + /* No comment provided by engineer. */ "Choose file" = "Välj fil"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Rensa alla gamla aktivitetsloggar?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Rensa anpassningar"; + /* No comment provided by engineer. */ "Clear search" = "Rensa sökning"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Stäng kommentarer"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Stäng sidopanelen för globala stilar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Stäng vyn om mig"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kod"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Kod är poesi"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Minimerat, %i utförda uppgifter, lägesväxling expanderar listan med dessa uppgifter"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Färgrika bakgrunder"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Kolumnantal"; + +/* No comment provided by engineer. */ +"Column settings" = "Kolumninställningar"; + +/* No comment provided by engineer. */ +"Columns" = "Kolumner"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Kombinera flera block till en grupp."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombinera foton, videoklipp och text för att skapa engagerande och smidiga berättelseinlägg som dina besökare kommer att älska."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Anslutningar"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "Kontakta oss"; + /* Support email label. */ "Contact Email" = "E-post för kontakt"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontakta supporten"; +/* No comment provided by engineer. */ +"Contact us" = "Kontakta oss"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontakta oss på %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Innehållsstruktur\nBlock: %1$li, Ord: %2$li, Tecken: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Innehåll före detta block kommer att visas i utdraget på dina arkivsidor."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Fortsätt"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Fortsätt med WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Fortsätt arbeta"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Fortsätter med Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Konvertera till block"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Matlagning"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Kopierade URL till urklipp."; + /* No comment provided by engineer. */ "Copied block" = "Blocket kopierat"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Kopiera länk till kommentaren"; /* No comment provided by engineer. */ -"Copy block" = "Kopiera block"; +"Copy URL" = "Kopiera URL"; /* No comment provided by engineer. */ "Copy file URL" = "Kopiera filens URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Kunde in te kontrollera webbplatsens inköp."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Kunde inte redigera bild. %s"; + /* Title of a prompt. */ "Could not follow site" = "Det gick inte att följa webbplatsen"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Skapa ett berättelseinlägg"; +/* No comment provided by engineer. */ +"Create Table" = "Skapa tabell"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "Skapa en webbplats på WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Skapa en etikett"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Skapa en avgränsning mellan olika idéer eller sektioner med hjälp av en horisontell avgränsare."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Skapa en punktlista eller en numrerad lista."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Skapa en ny webbplats"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Skapa en ny webbplats för ditt företag, din tidskrift eller personliga blogg eller anslut en befintlig WordPress-installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Skapa en ny malldel eller välj en befintlig från listan."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Skapa ett inlägg eller en sida"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Skapa ett inlägg, en sida eller en berättelse"; +/* No comment provided by engineer. */ +"Create a template part" = "Skapa en malldel"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Skapa och spara innehåll för återanvändning på olika platser på din webbplats. Om blocket uppdateras kommer ändringarna att tillämpas överallt där det används."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Skapa nedladdningsbar säkerhetskopia"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Återställer för närvarande: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Anpassad länk"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Anpassat meddelande …"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Anpassa din webbplats inställningar för Gillar, Kommentarer, Följare och mer"; -/* No comment provided by engineer. */ -"Cut block" = "Klipp ut blocket"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Mörk"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "6 december 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standard"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Standard-URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standard för nya inlägg"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Radera webbplats-fel"; +/* No comment provided by engineer. */ +"Delete column" = "Ta bort kolumn"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Ta bort meny"; +/* No comment provided by engineer. */ +"Delete row" = "Ta bort rad"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Ta bort etiketten"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Beskrivning"; +/* No comment provided by engineer. */ +"Descriptions" = "Beskrivningar"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Stationär dator"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Lossa block från malldelen"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaljer"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Visningsnamn"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Visa din sammanlagda statistik här. Konfigurera i WordPress-appen under din statistik."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Visa denna veckas webbplatsstatistik här. Konfigurera i WordPress-appen under statistiken för webbplatsen."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Visa en lista över alla kategorier."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Visa dagens webbplatsstatistik här. Konfigurera i WordPress-appen under statistiken för webbplatsen."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Visa en lista över alla sidor."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Dokument: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Kontaktinformation för domän"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domänägare är tvungna att dela sin kontaktinformation i en publik databas över alla domäner. Med hjälp av integritetsskyddet kan vi publicera vår egen information i stället för din och sedan vidarebefordra eventuella meddelanden till dig."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domäner"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Klar"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Du behöver inte oroa dig inte för någonting"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Visa ett inläggs utdrag."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Visa ett inläggs utvalda bild."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Visa som rullgardinsmeny"; + +/* No comment provided by engineer. */ +"Display author" = "Visa författare"; + +/* No comment provided by engineer. */ +"Display avatar" = "Visa profilbild"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Visa datum"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Visa utdrag"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Visa inloggning som formulär"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Visa flera bilder i ett fullödigt galleri."; + +/* No comment provided by engineer. */ +"Display post date" = "Visa inläggsdatum"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Visa beskrivningen av kategorier, etiketter och anpassade taxonomier när ett arkiv visas."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Visa rubriken som en länk"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Visa din sammanlagda statistik här. Konfigurera i WordPress-appen under din statistik."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Visa denna veckas webbplatsstatistik här. Konfigurera i WordPress-appen under statistiken för webbplatsen."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Visa dagens webbplatsstatistik här. Konfigurera i WordPress-appen under statistiken för webbplatsen."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Visar en lista med inlägg som ett resultat på en sökning."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Visar en sidnumrerad navigering till nästa\/föregående uppsättning inlägg, om tillämpligt."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Visar och tillåter redigering av webbplatsens namn. Webbplatsens rubrik visas vanligtvis i webbläsarens titelfält, i sökresultat och på fler ställen. Finns även under Inställningar > Allmänt."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Visar innehållet av ett inlägg eller sida."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Visar länken för det nuvarande inläggets kommentarer."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Visar nästa eller föregående inläggslänk som ligger intill det nuvarande inlägget."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Visar länk till nästa sida för inlägg."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Visar inläggslänken som kommer efter det nuvarande inlägget."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Visar inläggslänken som föregår det nuvarande inlägget."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Visar länk till föregående sida för inlägg."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Visar rubriken för inlägg, sida eller någon annan typ av innehåll."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Dokument: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Kontaktinformation för domän"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domänägare är tvungna att dela sin kontaktinformation i en publik databas över alla domäner. Med hjälp av integritetsskyddet kan vi publicera vår egen information i stället för din och sedan vidarebefordra eventuella meddelanden till dig."; + +/* Title for the Domains list */ +"Domains" = "Domäner"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Klar"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Du behöver inte oroa dig inte för någonting"; + +/* No comment provided by engineer. */ +"Dots" = "Punkter"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Dubbeltryck och håll nedtryckt för att flytta detta menyobjekt uppåt eller nedåt"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Dubbeltryck för att öppna åtgärdsbladet där du kan redigera, ersätta eller ta bort bilden"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Dubbeltryck för att öppna åtgärdsbladet med tillgängliga alternativ"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Dubbeltryck för att öppna nedre bladet där du kan redigera, ersätta eller ta bort bilden"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Dubbeltryck för att öppna det nedre arket med tillgänliga alternativ"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Dubbeltryck för att göra om senaste ändring"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Ladda ned säkerhetskopia"; +/* No comment provided by engineer. */ +"Download button settings" = "Inställningar för nedladdningsknapp"; + +/* No comment provided by engineer. */ +"Download button text" = "Text för knappen ”Ladda ner”"; + /* Title for the button that will download the backup file. */ "Download file" = "Ladda ned fil"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Ladda ner dina mallar och malldelar."; + /* Label for number of file downloads. */ "Downloads" = "Nedladdningar"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Utkast"; +/* No comment provided by engineer. */ +"Drop cap" = "Anfang"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicera"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicera block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Öster"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Redigera %@-blocket"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Redigera %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Redigera ord i blockeringslistan"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Redigera inlägg"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Redigera URL"; + /* No comment provided by engineer. */ "Edit file" = "Redigera fil"; /* No comment provided by engineer. */ "Edit focal point" = "Ändra plats i fokus"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Redigera galleribild"; + +/* No comment provided by engineer. */ +"Edit image" = "Redigera bild"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Redigera nya inlägg och sidor med blockredigeraren."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Redigera delningsknappar"; +/* No comment provided by engineer. */ +"Edit table" = "Redigera tabell"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Redigera inlägget först"; +/* No comment provided by engineer. */ +"Edit track" = "Redigera spår"; + /* No comment provided by engineer. */ "Edit using web editor" = "Redigera i webbredigeraren"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-postmeddelande skickat!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Bädda in innehåll från Amazon Kindle."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Bädda in innehåll från Cloudup."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Bädda in innehåll från CollegeHumor."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Bädda in innehåll från Crowdsignal (f.d. Polldaddy)."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Bädda in innehåll från Flickr."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Bädda in innehåll från Imgur."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Bädda in innehåll från Issuu."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Bädda in innehåll från Kickstarter."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Bädda in innehåll från Meetup.com."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Bädda in innehåll från Mixcloud."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Bädda in innehåll från ReverbNation."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Bädda in innehåll från Screencast."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Bädda in innehåll från Scribd."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Bädda in innehåll från Slideshare."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Bädda in innehåll från SmugMug."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Bädda in innehåll från SoundCloud."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Bädda in innehåll från Speaker Deck."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Bädda in innehåll från Spotify."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Bädda in ett inlägg från Facebook."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Bädda in en tråd från Reddit."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Bädda in ett inlägg från Tumblr."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Bädda in ett inlägg från WordPress."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Bädda in ett videoklipp från YouTube."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Bädda in en enkel ljudspelare."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Bädda in ett inlägg från Instagram."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Inbäddat innehåll från %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Inbäddat innehåll från %s kan inte förhandsgranskas i redigeraren."; + +/* No comment provided by engineer. */ +"Embedding…" = "Bäddar in …"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Tomt"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL ej angiven"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Tomt block. Börja skriva eller tryck på snedstreck för att välja ett block"; + /* Button title for the enable site notifications action. */ "Enable" = "Aktivera"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Slutdatum"; +/* No comment provided by engineer. */ +"English" = "Engelska"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Starta fullskärmsläge"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Ange URL här …"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Ange URL att bädda in här …"; + /* Enter a custom value */ "Enter a custom value" = "Mata in ett anpassat värde"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Ange ett lösenord för att skydda detta inlägg"; +/* No comment provided by engineer. */ +"Enter address" = "Ange adress"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Skriv in olika ord ovan så letar vi efter en adress som matchar dem."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Ange dina serverautentiseringsuppgifter för att möjliggöra återställning av din webbplats med ett klick från säkerhetskopior."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Ett fel inträffade när inställningarna för snabbare webbplats skulle uppdateras"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Händelse"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Utforska prispaketen"; +/* No comment provided by engineer. */ +"Export" = "Exportera"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportera innehåll"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Utvald bild kunde inte laddas in"; +/* No comment provided by engineer. */ +"February 21, 2019" = "21 februari 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Hämtar teman..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Filtyp"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fyll i med hjälp av lösenordshanterare"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Förnamn"; +/* No comment provided by engineer. */ +"Five." = "Fem."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Åtgärda allt"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Åtgärdat"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Tabellceller med fast bredd"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Åtgärdar hot"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fotboll"; +/* No comment provided by engineer. */ +"Footer cell text" = "Sidfotscellens text"; + +/* No comment provided by engineer. */ +"Footer label" = "Etikett för sidfot"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Sidfötter"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "För din bekvämlighet har vi redan fyllt i dina kontaktuppgifter från WordPress.com. Granska dem för att kontrollera att det är den korrekta informationen som du vill använda för denna domän."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Vidarebefodra"; +/* No comment provided by engineer. */ +"Four." = "Fyra."; + /* Browse free themes selection title */ "Free" = "Gratis"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Bildtext för galleri. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Kom igång med din webbplats"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Låt dig inspireras"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Hämtar kontoinformation"; /* Cancel */ "Give Up" = "Ge upp"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Framhäv ett citat visuellt. ”När vi citerar andra, citerar vi oss själva.” — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Ge särskild visuell betoning på ett citat från din text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Ge din webbplats ett namn som återspeglar dess personlighet och ämnesområde. Första intrycket är viktigt!"; +/* No comment provided by engineer. */ +"Global Styles" = "Globala stilar"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML-innehåll"; +/* No comment provided by engineer. */ +"HTML element" = "HTML-element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Rubrik 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Rubrik 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Rubriknivå 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Rubriknivå 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Höjd i pixlar"; + /* Help button */ "Help" = "Hjälp"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Hjälpikon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Hjälp besökare att hitta ditt innehåll."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Så här har ditt inlägg lyckats hittills."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Göm tangentbord"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Dölj utdraget på sidan med hela innehållet"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Vänta på granskning"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Hem"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurra!\nNästan klart nu"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Hur åtgärdade Jetpack det?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Jag gillar den"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Ikon och text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Om du går vidare med alternativet Apple eller Google och inte redan har ett konto hos WordPress.com innebär detta att du härmed registrerar ett konto och att du samtycker till våra _användarvillkor_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Om du tar bort %1$@ kommer användaren inte längre att ha åtkomst till den här webbplatsen, men allt innehåll som skapats av %2$@ kommer att finnas kvar på."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Bildstorlek"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Bildtext. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Bildinställningar"; + /* Hint for image title on image settings. */ "Image title" = "Bildrubrik"; +/* No comment provided by engineer. */ +"Image width" = "Bildbredd"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Bild, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Bild, datum och rubrik "; + /* Undated post time label */ "Immediately" = "Direkt"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Med några ord, berätta vad denna webbplats handlar om."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "Genom att citera andra, citerar vi oss själva."; + /* Describes a status of a plugin */ "Inactive" = "Inaktivt"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Felaktigt användarnamn eller lösenord. Försök ange dina inloggningsdetaljer igen."; +/* No comment provided by engineer. */ +"Indent" = "Indrag"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infekterad fil i WordPress-kärnan"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Infoga media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Infoga en tabell för att dela data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Lägg in andra anpassade element med hjälp av en WordPress-kortkod."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Lägg in en bild för att berätta visuellt."; + +/* No comment provided by engineer. */ +"Insert column after" = "Infoga kolumn efter"; + +/* No comment provided by engineer. */ +"Insert column before" = "Infoga kolumn före"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Placera in mediafil"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Lägg in poesi. Använd specialformat för radavstånd. Eller citera några rader ur en sångtext."; + +/* No comment provided by engineer. */ +"Insert row after" = "Infoga rad efter"; + +/* No comment provided by engineer. */ +"Insert row before" = "Infoga rad före"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Infoga det markerade"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Det kan ta upp till en minut att installera ditt första tillägg på webbplatsen. Under denna tid kan du inte göra några ändringar på din webbplats."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introducera nya sektioner och organisera innehåll för att hjälpa besökare (och sökmotorer) att förstå strukturen på ditt innehåll."; + /* Stories intro header title */ "Introducing Story Posts" = "Lär känna berättelseinlägg"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursivering"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazzmusiker"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Håll koll på hur det går för webbplatsen."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Kända användare"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etikett"; +/* No comment provided by engineer. */ +"Landscape" = "Landskapsläge"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Språk"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Språketikett (sv, en, osv.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Stor"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Sammanfattning av senaste inlägg"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Inställningar för senaste kommentarerna"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Läs mer"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Läs mer om formatering av datum och tid."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Lär dig mer om inbäddningar"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Lär dig mer om roller"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Äldre ikoner"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Äldre widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Låt oss hjälpa till"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Berätta för mig när det är klart!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Nivå %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Nivå %s. Tomt."; + /* Title for the app appearance setting for light mode */ "Light" = "Ljus"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Länk till"; +/* No comment provided by engineer. */ +"Link color" = "Länkfärg"; + +/* No comment provided by engineer. */ +"Link label" = "Länketikett"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Länk till"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Länk till %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Länk till befintligt innehåll"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Länkar i kommentarer"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Länkar visas i en kolumn."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Länkar visas i en rad."; + +/* No comment provided by engineer. */ +"List" = "Lista"; + +/* No comment provided by engineer. */ +"List of template parts" = "Lista med malldelar"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Stil på listan"; +/* No comment provided by engineer. */ +"List text" = "Text för lista"; + /* Title of the screen that load selected the revisions. */ "Load" = "Ladda"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Laddar..."; +/* No comment provided by engineer. */ +"Loading…" = "Laddar in ..."; + /* Status for Media object that is only exists locally. */ "Local" = "Lokala utkast"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Logga in med ditt användarnamn och lösenord för WordPress.com."; +/* No comment provided by engineer. */ +"Log out" = "Logga ut"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Logga ut från WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Inloggningsbegäran har löpt ut"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Inställningar för inloggning\/utloggning"; + +/* No comment provided by engineer. */ +"Logos Only" = "Endast logger"; + /* No comment provided by engineer. */ "Logs" = "Loggar"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Det verkar som att du har Jetpack installerat på din webbplats. Grattis!\nLogga in med dina användaruppgifter från WordPress.com för att kunna se din statistik och dina notiser."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Glömt ditt lösenord?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Huvudmeny"; +/* No comment provided by engineer. */ +"Main color" = "Huvudfärg"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Gör en länk av rubriken"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Matchar användarkonton med hjälp av e-postadresser"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Maxstorlek på uppladdade bilder"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maximal uppladdningsstorlek för videoklipp"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Maximalt antal ord i utdrag"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "7 maj 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Mediauppladdningar"; +/* No comment provided by engineer. */ +"Media area" = "Mediaområde"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Valt media har ingen tillhörande fil som kan laddas upp."; +/* No comment provided by engineer. */ +"Media file" = "Mediafil"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Mediafilens storlek (%1$@) är för stor för uppladdning. Maximalt tillåtet är %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Det gick inte att förhandsgranska media."; +/* No comment provided by engineer. */ +"Media settings" = "Inställningar för media"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uppladdat (%ld filer)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Övervaka tillgänglighetstiden hos din webbplats"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc uppenbarar sig — stilla, snötäckt och fridfullt."; + /* Title of Months stats filter. */ "Months" = "Månader"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Mer på WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "Fler verktyg och alternativ"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Populäraste tidpunkten"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Flytta ner"; +/* No comment provided by engineer. */ +"Move image backward" = "Flytta bilden bakåt"; + +/* No comment provided by engineer. */ +"Move image forward" = "Flytta bilden framåt"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Flytta menyval"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Flyttar kommentaren till papperskorgen."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Musik"; +/* No comment provided by engineer. */ +"Muted" = "Tystad"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Min profil"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Mina ärenden"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "Mina tio favoritcaféer"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Namn"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Går till anpassning av gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigering (vertikalt)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hjälp"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nytt ord i blockeringslistan"; +/* No comment provided by engineer. */ +"New Column" = "Ny kolumn"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nya anpassade appikoner"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nya inlägg"; +/* No comment provided by engineer. */ +"New template part" = "Ny malldel"; + /* Screen title, where users can see the newest plugins */ "Newest" = "Senaste"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Nästa"; +/* No comment provided by engineer. */ +"Next Page" = "Nästa sida"; + /* Table view title for the quick start section. */ "Next Steps" = "Nästa steg"; /* Accessibility label for the next notification button */ "Next notification" = "Nästa notifiering"; +/* No comment provided by engineer. */ +"Next page link" = "Länk till nästa sida"; + /* Accessibility label */ "Next period" = "Nästa period"; +/* No comment provided by engineer. */ +"Next post" = "Nästa inlägg"; + /* Label for a cancel button */ "No" = "Nej"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Ingen nätverksanslutning"; +/* No comment provided by engineer. */ +"No Date" = "Inget datum"; + /* List Editor Empty State Message */ "No Items" = "Inga poster"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Inga kommentarer än"; +/* No comment provided by engineer. */ +"No comments." = "Inga kommentarer."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Inga inlägg."; +/* No comment provided by engineer. */ +"No preview available." = "Ingen förhandsgranskning tillgänglig."; + /* A message title */ "No recent posts" = "Inga nya inlägg"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Hittar du inte meddelandet? Kolla i mappen för skräppost eller reklam."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Obs: Självstartande ljud kan orsaka användbarhetsproblem för vissa besökare."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Obs: Vissa självstartande videoklipp kan orsaka användbarhetsproblem för en del besökare."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Obs: Kolumnlayouten kan variera mellan olika teman och skärmstorlekar"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Obs: Många webbläsare i telefoner och surfplattor visar inte inbäddade PDF:er."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Inget hittades."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Nummer"; +/* No comment provided by engineer. */ +"Number of comments" = "Antal kommentarer"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numrerad lista"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Knapp för ”One Password”"; +/* No comment provided by engineer. */ +"One column" = "En kolumn"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "Något av det svåraste i teknikutveckling är att bryta mot sitt eget tankesätt."; + +/* No comment provided by engineer. */ +"One." = "Ett."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Visa bara den statistik som är mest relevat. Lägger till insikter som passar dina behov."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hoppsan!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Öppna menyn för blockåtgärder"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Öppna inställningar för enheten"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Öppna WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Öppna blocknavigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Öppna hela mediaväljaren"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Eller logga in genom att _skriva in adressen till din webbplats_."; +/* No comment provided by engineer. */ +"Ordered" = "Sorterad"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Sorterad lista"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Inställningar för numrerad lista"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andra webbplatser"; +/* No comment provided by engineer. */ +"Outdent" = "Minska indrag"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Lyft listobjektet en nivå"; + +/* No comment provided by engineer. */ +"Outline" = "Markera ytterkanter"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Åsidosatt"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF-inbäddning"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF-inställningar"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Sida"; +/* No comment provided by engineer. */ +"Page Link" = "Sidlänk"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Sidan återställd till Utkast"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Sidinställningar"; +/* No comment provided by engineer. */ +"Page break" = "Sidbrytning"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Sidbrytningblock. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginering"; +/* No comment provided by engineer. */ +"Paragraph" = "Stycke"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Textstyckesblock"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Förälder"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Klistra in en URL"; /* No comment provided by engineer. */ -"Paste block after" = "Infoga blocket efter"; +"Paste a link to the content you want to display on your site." = "Klistra in en länk till innehållet du vill visa på din webbplats."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Klistra in utan formatering"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Välj favoritlayout på din startsida Du kan anpassa eller ändra det senare."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Paket"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Paket"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Spela video"; +/* No comment provided by engineer. */ +"Playback controls" = "Uppspelningsreglage"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Lägg till något innehåll innan du försöker publicera."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Populära språk"; +/* No comment provided by engineer. */ +"Portrait" = "Porträttläge"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Skicka"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Inläggskategorier"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Författare till inläggskommentar"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Innehåll för inläggskommentar"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Datum för inläggskommentar"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Block för antal kommentarer på inlägg: inlägget hittades inte."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Formulär för inläggskommentarer"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Block för formulär för inläggskommentarer: kommentarer är inte aktiverade för denna inläggstyp."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Block för formulär för inläggskommentarer: kommentarer är inte tillåtna för detta inlägg."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format"; +/* No comment provided by engineer. */ +"Post Link" = "Inläggslänk"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Inlägg återställt till Utkast"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Inlägg av %1$@, från %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Block för inläggskommentarer: inget inlägg hittades."; + +/* No comment provided by engineer. */ +"Post content settings" = "Inställningar för inläggsinnehåll"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Inlägget skapat %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Det gick inte att ladda upp Inlägget"; +/* No comment provided by engineer. */ +"Post meta settings" = "Inställningar för metainformation om inlägg"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Inlägg flyttat till papperskorgen."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicerat i %1$@ kl. %2$@ av %3$@."; +/* No comment provided by engineer. */ +"Poster image" = "Posterbild"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Publiceringsaktivitet"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Inlägg"; +/* No comment provided by engineer. */ +"Posts List" = "Inläggslista"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Inläggssida"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Drivs med Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Förformaterad text"; + +/* No comment provided by engineer. */ +"Preload" = "Förhandsladda"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Förhandsgranska din nya webbplats för att se vad dina besökare kommer att se."; +/* No comment provided by engineer. */ +"Previous Page" = "Föregående sida"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Föregående notifiering"; +/* No comment provided by engineer. */ +"Previous page link" = "Länk till föregående sida"; + /* Accessibility label */ "Previous period" = "Föregående period"; +/* No comment provided by engineer. */ +"Previous post" = "Föregående inlägg"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primär webbplats"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekt"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Uppmana besökarna att göra något med hjälp av en länk i knappformat."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Uppmana besökarna att göra något med hjälp av en grupp länkar, utformade som knappar."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Tillhandahållen typ stöds inte."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publikt"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publicerar ..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Inköp"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-notiser är avstängda i inställningarna för iOS. Aktivera dem igen genom att åter välja ”Tillåt notis-meddelanden”."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Snabbstart"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Citattext"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS-inställningar"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Betygsätt oss på App Store"; +/* No comment provided by engineer. */ +"Read more" = "Läs mer"; + +/* No comment provided by engineer. */ +"Read more link text" = "Länktext för ”Läs mer”"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Läs på"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Ansluten igen"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Omdirigera till nuvarande URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Hänvisning"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Relaterade inlägg visar relevant innehåll från din webbplats nedanför dina inlägg"; +/* No comment provided by engineer. */ +"Release Date" = "Utgivningsdatum"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Ta bort detta inlägg från mina sparade inlägg."; +/* No comment provided by engineer. */ +"Remove track" = "Ta bort spår"; + /* User action to remove video. */ "Remove video" = "Ta bort video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Ersätt filen"; +/* No comment provided by engineer. */ +"Replace image" = "Ersätt bild"; + /* No comment provided by engineer. */ "Replace image or video" = "Ersätt en bild eller ett videoklipp"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ändra storlek och beskär"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Ändra storlek för mindre enheter"; + /* The largest resolution allowed for uploading */ "Resolution" = "Upplösning"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Återställ webbplats"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Återställ mall till temastandard"; + /* Button title for restore site action */ "Restore to this point" = "Återställ till denna punkt"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Återanvändbara block kan inte redigeras i WordPress för iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Omvänd listnumrering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Återställ väntande ändring"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Roll"; +/* No comment provided by engineer. */ +"Rotate" = "Rotera"; + +/* No comment provided by engineer. */ +"Row count" = "Radantal"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS skickat"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Välj styckeformatering"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Välj %@ för att lägga till dina konton i sociala medier"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Sänd push-notiser"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Dela upp ditt innehåll till en upplevelse som sträcker sig över flera sidor."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Ladda bilder från våra servrar"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Ställ in som inläggssida"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Placera media och ord vid sidan av varandra för en rikare layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Konfigurera"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Delningsfel"; +/* No comment provided by engineer. */ +"Shortcode" = "Kortkod"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Text för kortkod"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Visa sidhuvud"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "Visa relaterade inlägg"; +/* No comment provided by engineer. */ +"Show download button" = "Visa nedladdningsknapp"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Visa länkar för in- och utloggning."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Visa lösenord"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Visa inläggets innehåll"; +/* No comment provided by engineer. */ +"Show post counts" = "Visa antal inlägg"; + /* translators: Checkbox toggle label */ "Show section" = "Visa sektion"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Visar endast mina inlägg"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Visar statistik för:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Visar webbplatsens inlägg."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidopaneler"; + /* View title during the sign up process. */ "Sign Up" = "Skapa konto"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Webbplatsens språk"; +/* No comment provided by engineer. */ +"Site Logo" = "Webbplatslogga"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Webbplatssida"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Text för webbplatsslogan"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Webbplatsens tidszon (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Webbplatsrubriken har ändrats"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Webbplatser"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Webbplatser att följa"; +/* No comment provided by engineer. */ +"Six." = "Sex."; + /* Image size option title. */ "Size" = "Storlek"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Sociala nät"; +/* No comment provided by engineer. */ +"Social Icon" = "Social ikon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid färg"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Uppladdning av vissa mediefiler misslyckades. Om du fortsätter med den här åtgärden kommer de mediefiler som inte laddats upp inte med i inlägget.\nSpara ändå?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Det användarnamnet finns redan!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Tyvärr är inte det användarnamnet ledigt."; +"Sorry, that username is unavailable." = "Tyvärr är inte det användarnamnet ledigt."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Detta innehåll gick inte att bädda in."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Användarnamn kan endast innehålla gemener (a-z) och siffror."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sortera efter"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sortering och filtrering"; + /* Opens the Github Repository Web */ "Source Code" = "Källkod"; +/* No comment provided by engineer. */ +"Source language" = "Källspråk"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Söder"; /* Label for showing the available disk space quota available for media */ "Space used" = "Utnyttjat utrymme"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Snabba upp din webbplats"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standard"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Börja om"; +/* No comment provided by engineer. */ +"Start value" = "Startvärde"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Börja skriva …"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Överstrykning"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Påbörjat"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Skickar till granskning..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Spotlight-indexet har tömts"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Hjälp"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Byt webbplats"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systemstandard"; +/* No comment provided by engineer. */ +"Table" = "Tabell"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Innehållsförteckning"; +/* No comment provided by engineer. */ +"Table settings" = "Tabellinställningar"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabell för %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tagga"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Inställningar för etikettmoln"; + +/* No comment provided by engineer. */ +"Tag Link" = "Etikettlänk"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Etiketten finns redan"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Berätta för oss vilken typ av webbplats du vill göra"; +/* No comment provided by engineer. */ +"Template Part" = "Malldel"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Malldel ”%s” har infogats."; + +/* No comment provided by engineer. */ +"Template Parts" = "Malldelar"; + +/* No comment provided by engineer. */ +"Template part created." = "Malldel skapad."; + +/* No comment provided by engineer. */ +"Templates" = "Mallar"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Villkor"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Endast text"; +/* No comment provided by engineer. */ +"Text link settings" = "Inställningar för länktext"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Skicka mig en kod via SMS i stället"; +/* No comment provided by engineer. */ +"Text settings" = "Inställningar för text"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Tack för att du väljer %1$@ från %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "WordPress för Android får en ny design"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "Världens bästa fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Appen förstår inte svaret från servern. Vänligen kontrollera din webbplats inställningar."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certifikatet för den här servern är inte giltigt. Det kan hända att du ansluter till en server som påstår sig vara \"%@\", vilket kan försätta din sekretessbelagda information i fara.\n\nVill du lita på certifikatet i alla fall?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "Utdraget är dolt."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "Utdraget är synligt."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Filen %1$@ innehåller ett skadligt kodmönster"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoklippet kunde inte läggas till i mediabiblioteket."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema aktiverat"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Ett problem uppstod vid anslutningen till %@. Anslut igen för att fortsätta publicering."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Denna app behöver åtkomst till mediabiblioteket i din enhet för att kunna lägga till bilder eller videoklipp i dina inlägg. Ändra integritetsinställningarna om du vill tillåta detta."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Denna domän är inte tillgänglig"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Hotet ignorerades."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Tre jämnbreda kolumner"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Tre kolumner med bred kolumn i mitten"; + +/* No comment provided by engineer. */ +"Three." = "Tre."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatyr"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Rubrik"; +/* No comment provided by engineer. */ +"Title & Date" = "Rubrik och datum"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Rubrik och utdrag"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Rubrik för kategori är obligatoriskt."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Rubrik, datum och utdrag"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "För att lägga till bilder eller videoklipp i dina inlägg."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "För att fortsätta med detta Google-konto måste du först logga in med ditt lösenord för WordPress.com. Detta behövs bara en gång."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "För att visa en kommentar, skriv kommentarens ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "För att ta bilder eller spela in videoklipp som kan användas i dina inlägg."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Slå på\/av HTML-källa "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Slå på\/av navigering"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Slå av eller på stilen för numrerad lista "; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Ord totalt"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Omvandla %s till"; - -/* No comment provided by engineer. */ -"Transform block…" = "Omvandla block …"; - /* No comment provided by engineer. */ "Translate" = "Översätt"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-användarnamn"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Två jämnbreda kolumner"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Två."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Skriv in ett sökbegrepp för fler idéer"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Namnlös webbplats"; +/* No comment provided by engineer. */ +"Unordered" = "Osorterad"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Osorterad lista"; /* Filters Unread Notifications */ "Unread" = "Olästa"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Obesvarat"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Ej sparade ändringar"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Utan rubrik"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Malldel utan rubrik"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Upp till sju dagar med loggar sparas."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Ladda upp mediafiler"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Ladda upp en fil eller välj en från ditt mediabibliotek."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Ladda upp en webbplatsikon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Skapa en logga för webbplatsen genom att ladda upp en bild eller välja en i mediakatalogen"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Uppladdningsfel"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Använd nuvarande plats"; +/* No comment provided by engineer. */ +"Use URL" = "Använd URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Använd blockredigeraren"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Använd den klassiska WordPress-redigeraren."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Använd denna länk för att lägga till gruppmedlemmar utan att behöva bjuda in dem en i taget. Vem som helst som besöker denna URL kommer att kunna registrera sig i er organisation, även om de fått länken från någon annan. Se därför till att bara ge länken till personer du litar på."; /* No comment provided by engineer. */ "Use this site" = "Använd den här webbplatsen"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Bekräfta din e-postadress – instruktioner har skickats till %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ är tillgänglig"; +/* No comment provided by engineer. */ +"Vertical" = "Vertikalt"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Förhandsvisning av video ej tillgänglig"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Beskrivning för video. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Export av video avbruten."; +/* No comment provided by engineer. */ +"Video settings" = "Videoinställningar"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Läsare"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Visningsområdets höjd (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema med sårbarheter %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Välkommen till Läsaren"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Välkommen till den underbara världen av block …"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Välkommen till världens populäraste webbplatsbyggare."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ojdå. Den där var ingen giltig bekräftelsekod för tvåfaktorautentisering. Dubbelkolla koden och försök en gång till!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgetar"; +/* No comment provided by engineer. */ +"Width in pixels" = "Bredd i pixlar"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Visas ej offentligt."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Med denna kraftfulla redigeringsmiljö kan du skapa inlägg på rörlig fot."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "App-inställningar för WordPress"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Skriv ett svar …"; +/* No comment provided by engineer. */ +"Write code…" = "Skriv kod …"; + +/* No comment provided by engineer. */ +"Write file name…" = "Skriv filnamn …"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Skriv förformaterad text …"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Skriv kortkod här …"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Skriv webbplatsens slogan …"; + +/* No comment provided by engineer. */ +"Write site title…" = "Skriv webbplatsrubrik …"; + +/* No comment provided by engineer. */ +"Write title…" = "Skriv rubrik …"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Skriva"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Din webbplatsadress visas i listen längst upp på skärmen när du besöker din webbplats i Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Din webbplats inkluderar inte stöd för detta block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Din webbplats är klar!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Nu använder du blockredigeraren för nya inlägg – utmärkt! Om du vill återgå till den klassiska redigeraren går du till ”Min webbplats” > ”Inställningar”."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[KOMMENTAR]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "en timme"; +/* No comment provided by engineer. */ +"archive" = "arkiv"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "ljud"; +/* No comment provided by engineer. */ +"blockquote" = "blockcitat"; + +/* No comment provided by engineer. */ +"blog" = "blogg"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "av %@"; +/* No comment provided by engineer. */ +"cite" = "citera"; + /* The menu item to select during a guided tour. */ "connections" = "anslutningar"; +/* No comment provided by engineer. */ +"container" = "behållare"; + +/* No comment provided by engineer. */ +"description" = "beskrivning"; + +/* No comment provided by engineer. */ +"divider" = "avdelare"; + +/* No comment provided by engineer. */ +"document" = "dokument"; + /* No comment provided by engineer. */ "document outline" = "dokumentöversikt"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "dubbeltryck för att ändra enhet"; +/* No comment provided by engineer. */ +"download" = "ladda ner"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "till exempel 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "till exempel 44"; +/* No comment provided by engineer. */ +"embed" = "bädda in"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "hitta"; + /* Noun. Describes a site's follower. */ "follower" = "följare"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/min-webbplats-adress (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "bild"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "bild %1$d av %2$d i galleriet"; + +/* No comment provided by engineer. */ +"images" = "bilder"; + /* Text for related post cell preview */ "in \"Apps\"" = "i ”Appar”"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "senare idag"; +/* No comment provided by engineer. */ +"link" = "länk"; + +/* No comment provided by engineer. */ +"links" = "länkar"; + +/* No comment provided by engineer. */ +"login" = "logga in"; + +/* No comment provided by engineer. */ +"logout" = "logga ut"; + +/* No comment provided by engineer. */ +"menu" = "meny"; + +/* No comment provided by engineer. */ +"movie" = "film"; + +/* No comment provided by engineer. */ +"music" = "musik"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "nästa sida"; + +/* No comment provided by engineer. */ +"numbered list" = "numrerad lista"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "av"; +/* No comment provided by engineer. */ +"ordered list" = "sorterad lista"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "övrigt"; +/* No comment provided by engineer. */ +"pagination" = "sidonumrering"; + /* No comment provided by engineer. */ "password" = "lösenord"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "telefonnummer"; +/* No comment provided by engineer. */ +"photos" = "foton"; + +/* No comment provided by engineer. */ +"picture" = "bild"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "dikt"; + +/* No comment provided by engineer. */ +"poetry" = "poesi"; + +/* No comment provided by engineer. */ +"post" = "inlägg"; + +/* No comment provided by engineer. */ +"posts" = "inlägg"; + +/* No comment provided by engineer. */ +"read more" = "läs mer"; + +/* No comment provided by engineer. */ +"recent comments" = "senaste kommentarerna"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "rad"; + +/* No comment provided by engineer. */ +"section" = "sektion"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "ljud"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "sammanfattning"; +/* No comment provided by engineer. */ +"survey" = "undersökning"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Dessa saker kommer att raderas:"; +/* No comment provided by engineer. */ +"title" = "rubrik"; + /* Today */ "today" = "idag"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, webbplatser, webbplats, bloggar, blogg"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "din nya domän %@ håller på att konfigureras. Webbplatsen är gör förväntansfulla volter i luften!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domännamn"; diff --git a/WordPress/Resources/th.lproj/Localizable.strings b/WordPress/Resources/th.lproj/Localizable.strings index 77f58715933d..faf519160f0e 100644 --- a/WordPress/Resources/th.lproj/Localizable.strings +++ b/WordPress/Resources/th.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s block options"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; +/* No comment provided by engineer. */ +"A link to a category." = "A link to a category."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "A link to a page."; + +/* No comment provided by engineer. */ +"A link to a post." = "A link to a post."; + +/* No comment provided by engineer. */ +"A link to a tag." = "A link to a tag."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "เกี่ยวกับ"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "เพิ่ม alt text"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "เพิ่มเว็บที่ติดตั้งบนโฮสท์ตัวเอง"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "อัลบั้ม"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "จัดตำแหน่ง"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Audio caption. Empty"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "ผู้เขียน"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Auto-managed"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Automatically share new posts to your social media accounts."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Autoupdates"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "ปิดกั้นการโค้ดข้อความ"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Block copied"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Block cut"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Block duplicated"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Block pasted"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Block removed"; - -/* No comment provided by engineer. */ -"Block settings" = "Block settings"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "ตัวหนา"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "แตกความเห็นที่เกี่ยวข้องกันเป็นหลาย ๆ หน้า"; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Brute Force Attack Protection"; @@ -980,7 +1159,10 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "กล้อง"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "คำอธิบาย"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "ควรระวัง"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Category"; +/* No comment provided by engineer. */ +"Category Link" = "Category Link"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "หัวข้อหมวดหมู่หายไป"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "การรับรองผิดพลาด"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change the device type used for preview"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "ปิดการแสดงความเห็น"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "ติดต่อ"; + /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Continue"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Continue Working"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Convert to blocks"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy block" = "Copy block"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "สร้างเว็บไซต์ WordPress.com"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "ปรับแต่งการตั้งค่าเว็บสำหรับการชื่นชอบ ความเห็น ติดตามและมากกว่าเดิม"; -/* No comment provided by engineer. */ -"Cut block" = "Cut block"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "ค่าเริ่มต้นสำหรับเรื่องใหม่"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "คำขยายความ"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "รายละเอียด"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "ชื่อที่แสดง"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Document: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Domain contact information"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Domains"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "เสร็จแล้ว"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Don’t worry about a thing"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Display your site stats for this week here. Configure in the WordPress app in your site stats."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Document: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Domain contact information"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you."; + +/* Title for the Domains list */ +"Domains" = "Domains"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "Don't have an account? _Sign up_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "เสร็จแล้ว"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Don’t worry about a thing"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Download file"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* No comment provided by engineer. */ -"Duplicate block" = "Duplicate block"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "ทิศตะวันออก"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "แก้ไขเรื่อง"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Edit new posts and pages with the block editor."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL ว่างเปล่า"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Enter a custom value"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Enter your server credentials to enable one click site restores from backups."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Event"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "โหลดรูปพิเศษไม่ได้"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "กำลังดึงธีม..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "ชื่อ"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "ฟอร์เวิร์ด"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "ฟรี"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Get your site up and running"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "ได้รับข้อมูลบัญชี"; /* Cancel */ "Give Up" = "ยอมแพ้"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Heading 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "ช่วยเหลือ"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "ซ่อนคีย์บอร์ด"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "กดค้างสำหรับการจัดการ"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "ฉันชอบมัน"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Icon & Text"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "ขนาดรูปภาพ"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Image title"; +/* No comment provided by engineer. */ +"Image width" = "Image width"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "รูปภาพ %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "ทันที"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "อธิบายว่าเว็บนี้เกี่ยวกับอะไร ด้วยคำสั้น ๆ"; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "ตัวเอียง"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "ผู้ใช้ทีรู้จัก"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; +/* No comment provided by engineer. */ +"Landscape" = "ภูมิประเทศ"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "ขนาดใหญ่"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "สรุปเรื่องล่าสุด"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Level %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Level %s. Empty."; + /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "ลิงก์ไปที่"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "ลิงก์ในความเห็น"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "กำลังโหลด..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "บนเครื่อง"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "คำขอเข้าสู่ระบบหมดอายุ"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "log"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "จำรหัสผ่านไม่ได้?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "เมนูนำทางหลัก"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "ขนาดรูปภาพอัปโหลดใหญ่สุด"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Media Uploads"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media doesn't have an associated file to upload."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Media filesize (%@) is too large to upload. Maximum allowed is %@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "เดือน"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Moves the comment to the Trash."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Music"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "ประวัติส่วนตัวของฉัน"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "My Tickets"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "ต้องการความช่วยเหลือ?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "ใหม่สุด"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "ต่อไป"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Next period"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "ไม่"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "ไม่มีการเชื่อมต่อ"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "ไม่มีรายการ"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "ยังไม่มีความเห็น"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "ไม่มีเรื่องเร็ว ๆ นี้"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "โอ๊ะ"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Open Block Actions Menu"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "รายชื่อเรียงลำดับ"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "เว็บอื่น"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; +/* No comment provided by engineer. */ +"Page Link" = "Page Link"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Page Settings"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Page break block. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "การใส่เลขหน้า"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraph"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "หมวดหมู่หลัก"; @@ -4486,7 +5442,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste block after" = "Paste block after"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Plans"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Play video"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; +/* No comment provided by engineer. */ +"Portrait" = "ภาพเหมือน"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "เรื่อง"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "หมวดหมู่เรื่อง"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "รูปแบบเรื่อง"; +/* No comment provided by engineer. */ +"Post Link" = "Post Link"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "กู้คืนเรื่องไปยังสถานะฉบับร่าง"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Post failed to upload"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "ย้ายเรื่องไปถังขยะ"; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "เรื่อง"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "พรีเมี่ยม"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Previous period"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "สาธารณะ"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "ให้คะแนนบนแอพสโตร์"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "อ้างอิง"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "เรื่องที่เกี่ยวข้องแสดงบทความที่คล้ายกันจากเว็บของคุณด้านล่างเรื่องของคุณ"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Remove video"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Replace file"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Replace image or video"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Role"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "ส่ง SMS"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Sharing error"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "แสดงส่วนหัว"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "แสดงเรื่องที่เกี่ยวข้อง"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "ภาษาของเว็บ"; +/* No comment provided by engineer. */ +"Site Logo" = "Site Logo"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site page"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "เว็บ"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "ขนาด"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "การอัปโหลดไฟล์สื่อบางไฟล์ล้มเหลว การกระทำนี้จะลบไฟล์ที่ล้มเหลวทั้งหมดออกจากเรื่อง \nคุณต้องการจะบันทึกหรือไม่?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "ขอโทษครับ ชื่อผู้ใช้นั้นมีอยู่แล้ว"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "ขอโทษครับ ชื่อผู้ใช้นั้นไม่สามารถใช้ได้"; +"Sorry, that username is unavailable." = "ขอโทษครับ ชื่อผู้ใช้นั้นไม่สามารถใช้ได้"; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "ขอโทษครับ ชื่อผู้ใช้ต้องประกอบด้วยตัวอักษรตัวเล็ก(a ถึง z)และตัวเลขเท่านั้น"; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "เรียงตาม"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "ซอร์สโค้ด"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "ทิศใต้"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "มาตรฐาน"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "สนับสนุน"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "เปลี่ยนเว็บไซต์"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Tag Link"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Text Only"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "ขอบคุณที่เลือกใช้ %1$@ โดย %2$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "เวิร์ดเพรสสำหรับแอนดรอยด์แอพจะได้หน้ายิ้มขนาดใหญ่"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "แอพไม่สามารถจดจำการตอบสนองของเซิร์ฟเวอร์ กรุณา ตรวจสอบการตั้งค่าเว็บของคุณ"; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "การรับรองสำหรับเซิร์ฟเวอร์นี้ใช้งานไม่ได้ คุณอาจจะเชื่อมต่อกับเซิร์ฟเวอร์ที่แกล้งทำเป็น “%@” ซึ่งสามารถทำให้ข้อความความลับของคุณอยู่ในความเสี่ยง\n\nคุณต้องการที่จะเชื่อมั่นการรับรองนี้อยู่หรือไม่?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "เปิดใช้งานธีมแล้ว"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "แอพนี้ต้องการการอนุญาตเข้าถึงคลังไฟล์สื่ออุปกรณ์ของคุณเพื่อจะเพิ่มรูปภาพ และ\/หรือ ไฟล์วีดีโอไปยังเรื่องของคุณ โปรดเปลี่ยนการตั้งค่าความเป็นส่วนตัวถ้าคุณต้องการที่จะอนุญาตสิ่งนี้"; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "รูปขนาดย่อ"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "หัวข้อ"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "จำเป็นต้องใส่หัวข้อสำหรับหมวดหมู่"; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "เพื่อเพิ่มรูปภาพหรือวีดีโอไปยังเรื่องของคุณ"; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "เพื่อถ่ายรูปหรือวีดีโอไว้ใช้ในเรื่องของคุณ"; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "Transform %s to"; - -/* No comment provided by engineer. */ -"Transform block…" = "Transform block…"; - /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "รายชื่อไม่เรียงลำดับ"; /* Filters Unread Notifications */ "Unread" = "ยังไม่ได้อ่าน"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Unsaved Changes"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "ไม่มีหัวข้อ"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "การอัปโหลดล้มเหลว"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "ใช้เว็บนี้"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "รุ่น"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video export canceled."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "ไฟล์วีดีโอ %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "Viewers"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "ผู้ควบคุมเวิร์ดเพรส"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "เขียนข้อความตอบกลับ..."; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "การเขียน"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "หนึ่งชั่วโมง"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "audio"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "by %@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "connections"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "follower"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/ที่อยู่เว็บของฉัน (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "image"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "ใน \"แอพ\""; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "ภายหลังในวันนี้"; +/* No comment provided by engineer. */ +"link" = "ลิงก์"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; +/* No comment provided by engineer. */ +"ordered list" = "รายการเรียงลำดับ"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "password"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "post"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "summary"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "วันนี้"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/tr.lproj/Localizable.strings b/WordPress/Resources/tr.lproj/Localizable.strings index b3f19f2d57c5..2200521011bd 100644 --- a/WordPress/Resources/tr.lproj/Localizable.strings +++ b/WordPress/Resources/tr.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d görülmemiş yazı"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s, %2$s olarak dönüştürüldü"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s, %3$s %4$s."; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li kelime, %2$li karakter"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s blok seçenekleri"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s bloku. Boş"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s bloku. Bu blok geçersiz içerik barındırıyor"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "\"%s\" tamamen desteklenmiyor"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adres satırı %@"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 taslak yazı yüklendi"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potansiyel tehdit bulundu"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "1 saatten az"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Bir \"daha fazla\" tuşu paylaşım araçlarını barındıran açılır menü içerir"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Öne çıkan görsel ayarlandı. Değiştirmek için dokunun."; /* Title for a threat */ "A file contains a malicious code pattern" = "Bir dosya kötü amaçlı bir kod modeli içeriyor"; +/* No comment provided by engineer. */ +"A link to a category." = "Bir kategori bağlantısı."; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "Bir sayfa bağlantısı."; + +/* No comment provided by engineer. */ +"A link to a post." = "Bir gönderi bağlantısı."; + +/* No comment provided by engineer. */ +"A link to a tag." = "Bir etiket bağlantısı."; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Bu hesaptaki sitelerin listesi."; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Sitenizin kitlesini büyütmeye yardımcı olacak bir dizi adım."; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "'%@' isminde bir etiket zaten mevcut."; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRES"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "Hakkında"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Yeni istatistik kartı ekle"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "Başa ekle"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Bir Konu ekle"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Reader'a yüklenmek üzere buraya özel bir CSS URL'si ekleyin. Calypso'yu yerel olarak çalıştırıyorsanız şu şekilde olabilir: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Barındırılan site ekle"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "Alternatif metin ekle"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Herhangi bir konu ekle"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Bu yeni hesabı temsil edecek görsel veya avatar ekleyin."; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Paragraf bloğu ekle"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "Barındırılan site ekle"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Etiketleri ekle"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "Bu e-posta bağlantısını ekle"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Bu telefon bağlantısını ekle"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Site özellikleri ekleme"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "Albümler"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Hizalama"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Bir hata oluştu."; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Bilinmeyen bir hata oluştu. Lütfen tekrar deneyin."; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Yorumu onaylar."; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "İptal edip değişikliklerden vazgeçmek istediğinize emin misiniz?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Güncellemek istediğinizden emin misiniz?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "Sanat"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "1 ağustos 2018 itibarıyla Facebook, yazıların doğrudan Facebook profillerinde paylaşımına izin vermez. Facebook sayfalarına bağlantı değişmeden kalır."; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Dosyayı bağlantı olarak ekle"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "Ses oynatıcı"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Ses yazısı. %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "Ses yazısı. Boş"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Ses, %@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "Yazarlar"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "Otomatik yönetilen"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "Yeni yazıları sosyal medya hesaplarınızda otomatik olarak paylaşın."; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Otomatik güncellemeler"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "Alıntı"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "Blok kopyalandı"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "Blok kesildi"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "Blok çoğaltıldı"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blok düzenleyici etkinleştirildi"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Kötü amaçlı oturum açma denemelerini engelle"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "Blok yapıştırıldı"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "Blok kaldırıldı"; - -/* No comment provided by engineer. */ -"Block settings" = "Blok ayarları"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Bu siteyi engelle"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blogun izleyicisi"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Kalın"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Yorumları birden çok sayfaya böl."; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Size tam uyanı bulmak için tüm temalarımıza göz atın."; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Deneme yanılma saldırılarına karşı koruma"; @@ -980,7 +1159,10 @@ "Button Style" = "Tuş stili"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "Gönderen:"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Hesaplanıyor..."; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Başlık"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Dikkatli olun!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; +/* No comment provided by engineer. */ +"Category Link" = "Kategori Bağlantısı"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategori başlığı eksik."; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Sertifika hatası"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "Parola değiştir"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "Blok konumunu değiştir"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Değiştirme başarısız oldu"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ön izleme için kullanılan cihaz türünü değiştir"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Kullanıcı adı değiştiriliyor"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Satın alım kontrol hatası"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Alan adını seç"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "Dosya seçin"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Tüm eski etkinlik günlükleri temizlensin mi?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "Aramayı temizle"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "Yorumları kapat"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Ben ekranını kapat"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kod"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Genişletilmiş, %i tamamlanmış işler, düğmeye tekrar basılırsa bu görevlerin listesi genişletilir"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Renkli arka planlar"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Ziyaretçilerinizin seveceği ilgi çekici ve dokunulabilir öykü yayınları oluşturmak için fotoğrafları, videoları ve metinleri birleştirin."; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Bağlantılar"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "İletişim"; + /* Support email label. */ "Contact Email" = "İletişim e-postası"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Destek ile iletişim kur"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Bizimle %@ üzerinden iletişime geçin"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "İçerik Yapısı\nBloklar: %1$li, Kelimeler: %2$li, Karakterler: %3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "Devam et"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "Çalışmaya devam et"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple ile devam ediliyor"; +/* No comment provided by engineer. */ +"Convert to blocks" = "Bloklara dönüştür"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "Yemek pişirme"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "Kopyalanan blok"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "Bağlantıyı yoruma kopyalayın"; /* No comment provided by engineer. */ -"Copy block" = "Bloğu kopyala"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "Dosya adresini kopyala"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Site alımları kontrol edilemiyor."; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "Site takip edilemiyor"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "Öykü Yayını Oluştur"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com sitesi oluştur"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Bir etiket oluştur"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Yeni bir site oluştur"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "İşiniz, derginiz ya da kişisel blogunuz için bir site oluşturun veya mevcut bir WordPress kurulumuna bağlanın."; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "Yazı veya sayfa oluştur"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Bir yazı, sayfa veya öykü oluştur"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "İndirilebilir yedekleme oluştur"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Şu an geri yüklenen: %1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "Özel mesaj…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Beğeniler, yorumlar, takipler ve daha fazlası için site ayarlarınızı özelleştirin."; -/* No comment provided by engineer. */ -"Cut block" = "Bloğu kes"; - /* Title for the app appearance setting for dark mode */ "Dark" = "Koyu"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "Aralık 17, 2017"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Varsayılan"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Varsayılan URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Yeni yazılar için varsayılanlar"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Site silme hatası"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Menüyü sil"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "Bu etiketi sil"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "Açıklama"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "Tasarım"; /* Title for the desktop web preview */ "Desktop" = "Masaüstü"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaylar"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "Görünen isim"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Sitenizin bugüne kadarki istatistiklerini burada görebilirsiniz. WordPress uygulamasındaki site istatistiklerinizden yapılandırın."; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Sitenizin bu haftaki istatistiklerini burada görüntüleyin. WordPress uygulamasında, siteniz istatistikleri içinde yapılandırın."; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Sitenizin bugünkü istatistiklerini burada görüntüleyin. WordPress uygulamasında, siteniz istatistikleri içinde yapılandırın."; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "Belge: %@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "Alan adı iletişim bilgileri"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Alan adı sahiplerinin, tüm alan adlarının herkese açık bir veritabanında iletişim bilgilerini paylaşmaları gerekir. Privacy Protection ile sizin bilgileriniz yerine kendi bilgilerimizi yayımlıyor ve herhangi bir iletişimi size özel olarak iletiyoruz."; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "Alan adları"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* 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_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "Tamamlandı"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "Hiç bir şey hakkında endişe etmeyin"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Sitenizin bugüne kadarki istatistiklerini burada görebilirsiniz. WordPress uygulamasındaki site istatistiklerinizden yapılandırın."; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "Sitenizin bu haftaki istatistiklerini burada görüntüleyin. WordPress uygulamasında, siteniz istatistikleri içinde yapılandırın."; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "Sitenizin bugünkü istatistiklerini burada görüntüleyin. WordPress uygulamasında, siteniz istatistikleri içinde yapılandırın."; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "Belge: %@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "Alan adı iletişim bilgileri"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "Alan adı sahiplerinin, tüm alan adlarının herkese açık bir veritabanında iletişim bilgilerini paylaşmaları gerekir. Privacy Protection ile sizin bilgileriniz yerine kendi bilgilerimizi yayımlıyor ve herhangi bir iletişimi size özel olarak iletiyoruz."; + +/* Title for the Domains list */ +"Domains" = "Alan adları"; + +/* 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_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "Tamamlandı"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "Hiç bir şey hakkında endişe etmeyin"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Bu menü öğesini yukarı veya aşağı taşımak için iki kez dokunup basılı tutun"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Görseli düzenlemek, değiştirmek veya temizlemek üzere eylem sayfasını açmak için iki kez dokunun"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "Uygun seçenekleri içeren Eylem Sayfasını açmak için iki kez dokunun"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Görseli düzenlemek, değiştirmek veya temizlemek üzere alt sayfayı açmak için iki kez dokunun"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "Uygun seçenekleri içeren Alt Sayfayı açmak için iki kez dokunun"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "Son değişikliği yinelemek için çift dokunun"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Yedeklemeyi indir"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "Dosyayı indirin"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "İndirmeler"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "Taslaklar"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Çoğalt"; -/* No comment provided by engineer. */ -"Duplicate block" = "Bloğu çoğalt"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Doğu"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@ bloğunu düzenle"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Kara Liste Sözcüğünü Düzenle"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Yazıyı düzenle"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "Dosyayı düzenle"; /* No comment provided by engineer. */ "Edit focal point" = "Odak noktasını düzenle"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Blok düzenleyici ile yeni gönderi ve sayfaları düzenleyin."; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Paylaşım tuşlarını düzenle"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Önce gönderiyi düzenle"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "Web düzenleyicisini kullanarak düzenle"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-posta gönderildi!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Boş"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Boş adres"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "Etkinleştir"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Bitiş tarihi"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Tam ekran yap"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "Özel bir değer girin"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Bu yazıyı korumak için bir parola girin"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Yukarıya farklı sözcükler girin, girdiğiniz sözcüklerle eşleşen adres olup olmadığını arayalım."; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "Yedeklemelerinizden tek tıkla geri yüklemeyi etkinleştirmek için sunucu kimlik bilgilerinizi girin."; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Hızlandırma site ayarları güncellenirken hata oluştu"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "Etkinlik"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Paketleri keşfedin"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "İçeriği dışa aktar"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Öne çıkan görsel yüklenemedi"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "Temalar getiriliyor..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Dosya tipi"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Parola yöneticisi ile doldurun"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "Ad"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "Tümünü düzelt"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "Sabit"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Tehditler Düzeltiliyor"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "Futbol"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Size kolaylık olması için, WordPress.com iletişim bilgilerinizi önceden doldurduk. Lütfen bu bilgilerin bu alan adında kullanmak istediğiniz doğru bilgiler olduğundan emin olmak için gözden geçirin."; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "Yönlendir"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "Ücretsiz"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galeri yazısı. %s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "Sitenizi hazır hale getirin"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Hesap bilgileri alınıyor"; /* Cancel */ "Give Up" = "Vazgeç"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Sitenize kişiliğini ve konuyu yansıtan bir ad verin. İlk izlenim önemlidir."; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML içerik"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Başlık 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Başlık 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "Başlık 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "Başlık 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "Yardım"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "Yardım simgesi"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "İşte yazının bugüne kadarki performansı."; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Tuş takımını gizle"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Denetleme için tut"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Harika!\nNeredeyse tamam"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jetpack bunu nasıl düzeltti?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "Beğendim"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "Simge ve metin"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Apple veya Google ile devam ederseniz ve bir WordPress.com hesabınız yoksa, bir hesap oluşturur ve _Hizmet Şartlarımızı kabul edersiniz."; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "%1$@ kullanıcısını kaldırırsanız artık bu siteye erişemeyecektir ancak %2$@ tarafından oluşturulmuş içerikler sitede kalmaya devam edecektir."; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Görsel boyutu"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Görsel yazısı. %s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "Görsel başlığı"; +/* No comment provided by engineer. */ +"Image width" = "Görsel genişliği"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Görsel, %@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "Hemen"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Bir kaç kelime ile bu sitenin ne ile ilgili olduğunu anlatın."; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "Pasif"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Yanlış kullanıcı adı ya da parola. Lütfen giriş detaylarınızı girerek tekrar deneyin."; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "Etkilenen temel dosya"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Ortam ekle"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Ortam dosyası ekle"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Seçilenleri ekle"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Sitenize ilk eklentinin yüklenmesi 1 dakika kadar sürebilir. Bu sırada sitenizde değişiklik yapamayacaksınız."; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "Öykü Yayınlarına Giriş"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Eğik"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Sitenizin performansıyla ilgili güncel bilgiler edinin."; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "Bilinen kullanıcılar"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etiket"; +/* No comment provided by engineer. */ +"Landscape" = "Yatay"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Dil"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "Geniş"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "En güncel yazı özeti"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Daha fazla öğren"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Tarih ve zaman biçimi hakkında daha fazlasını öğrenin."; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "Roller hakkında daha fazla bilgi edinin"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Eski Simgeler"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Size Yardımcı Olalım"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Bittiğinde bana haber ver!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "Seviye %1$s. %2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "Seviye %s. Boş."; + /* Title for the app appearance setting for light mode */ "Light" = "Açık"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "Bağlantı"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Mevcut içeriğe bağla"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "Yorumlardaki bağlantılar"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "Liste stili"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "Yükle"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "Yükleniyor..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "Yerel"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "WordPress.com kullanıcı adı ve şifreniz ile oturum açın."; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "WordPress'den çıkış yapmak ister misiniz?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "Giriş isteğinin süresi doldu"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "Kütükler"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Görünen o ki sitenize JetPack kurmuşsunuz. Tebrikler!\nİstatistikleri ve bildirimleri etkinleştirmek için WordPress.com hesabınızla giriş yapın."; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "Parolanızı mı unuttunuz?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "Ana gezinti"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "E-posta adresini kullanan hesapları eşleştir"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "Azami görsel yükleme boyutu"; /* Title for the video size settings option. */ "Max Video Upload Size" = "En büyük dosya yükleme boyutu"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "Medya Yüklemeleri"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Medyada karşıya yüklenecek ilişkili dosya bulunmuyor."; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Ortam, karşıya yüklenemeyecek kadar büyük (ortam boyutu: %1$@). İzin verilen ortam boyutu üst sınırı: %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Ortam ön izleme hatası."; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Ortam yüklendi (%ld dosya)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Sitenizin çalışma süresini izleyin"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "Aylar"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "WordPress.com üzerinden daha fazlası"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "En Popüler Zaman"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "Aşağı indir"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "Menü öğesini taşı"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "Yorumu çöpe taşır."; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "Müzik"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "Profilim"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "Biletlerim"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Ad"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Gradyanı özelleştirme bölümüne gider"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Yardım lazım mı?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Yeni Kara Liste Sözcüğü"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Yeni Özel Uygulama Simgeleri"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "Yeni yazılar"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "En yeni"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "Sonraki"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "Sonraki adımlar"; /* Accessibility label for the next notification button */ "Next notification" = "Sonraki bildirim"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "Sonraki dönem"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "Hayır"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Bağlantı yok"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "Öge yok"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Henüz yorum yapılmamış"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Yazı yok."; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "Güncel yazı yok"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "E-postayı görmüyor musunuz? İstenmeyen posta klasörünüzü kontrol edin."; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Not: Sütun düzeni, temalar ve ekran boyutları arasında değişiklik gösterebilir"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Hiçbir şey bulunamadı."; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "Numara"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Sıralı liste"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "Tek Parola düğmesi"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Sadece en alakalı istatistikleri görün. İhtiyaçlarınıza uygun yönelimler ekleyin."; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Amanın!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "Blok eylemleri menüsünü aç"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Cihaz ayarlarını aç"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "WordPress'i aç"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Tam ortam seçicisini aç"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Veya _site adresinizi girerek_ oturum açın."; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Sıralı liste"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "Kuruluş"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "Diğer siteler"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Değiştirildi"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "Sayfa"; +/* No comment provided by engineer. */ +"Page Link" = "Sayfa Bağlantısı"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Sayfa taslaklara kaydedildi"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "Sayfa Ayarları"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Sayfa sonu bloku. %s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "Sayfalama"; +/* No comment provided by engineer. */ +"Paragraph" = "Paragraf"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Üst kategori"; @@ -4486,7 +5442,7 @@ "Paste URL" = "URL yapıştır"; /* No comment provided by engineer. */ -"Paste block after" = "Sonrasına bloğu yapıştır"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Biçimlendirmeden yapıştır"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "En sevdiğiniz ana sayfa düzenini seçin. Daha sonra özelleştirebilir ve değiştirebilirsiniz."; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "Paket"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "Paketler"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "Videoyu oynat"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Lütfen yayınlamaya çalışmadan önce bir miktar içerik ekleyin."; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "Popüler diller"; +/* No comment provided by engineer. */ +"Portrait" = "Dikey"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Yazı"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "Yazı kategorileri"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Yazı biçimi"; +/* No comment provided by engineer. */ +"Post Link" = "Gönderi Bağlantısı"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Yazı taslaklara geri yüklendi"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "%1$@ tarafından %2$@ üzerinden"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Yazı oluşturma tarihi: %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "Yazı karşıya yüklenemedi"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Yazı çöpe taşındı."; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "%1$@ başlığıyla, %2$@ adresinde, %3$@ tarafından yayımlandı."; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Yazım etkinliği"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Yazılar"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Gönderiler Sayfası"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Destekleyen Tenor"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Ziyaretçilerinizi neyin beklediğini görmek için yeni sitenizi önizleyin."; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "Önceki bildirim"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "Önceki dönem"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Birincil site"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "Projeler"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Herkese açık"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Yayımlanıyor..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "Satın alımlar"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Anında iletme bildirimleri iOS ayarlarında kapatıldı. Yeniden açmak için seçimi \"Bildirimlere İzin Ver\" olarak değiştirin."; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "Hızlı başla"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "App Store üzerinden uygulamamızı derecelendirin"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Şurada oku"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Yeniden bağlandı"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "Kaynak"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "İlişkili yazılar, yazılarınızın altında sitenizin içeriği ile alakalı içerik gösterir"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Bu yazıyı kaydedilen yazılarımdan kaldır."; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "Videoyu kaldır"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "Dosyayı değiştir"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "Video veya görseli değiştir"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Boyutlandır ve kırp"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "Çözünürlük"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "Siteyi eski haline getir"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "Bu noktaya kadar geri yükle"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Yeniden kullanılabilir bloklar iOS için WordPress'te düzenlenemez"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "Bekleyen değişiklikleri geri al"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "Rol"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS gönderildi"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Paragraf stilini seçin"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Sosyal medya hesaplarınızı ekleme için %@ seçin"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Uzaktan bildirimler gönder"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Görselleri bizim sunucularımızdan yayınlayın"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Yazılar sayfası olarak belirle"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "Devam et"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "Paylaşım hatası"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Başlığı göster"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "İlişkili yazıları göster"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Parolayı göster"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "Yazı içeriğini göster"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "Bölümü göster"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Yalnızca kendi yazılarınız gösteriliyor"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Şunun için istatistikler gösteriliyor:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Sitenin gönderilerini gösterir."; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "Üye ol"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "Site dili"; +/* No comment provided by engineer. */ +"Site Logo" = "Site logosu"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "Site sayfası"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site saat dilimi (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site başlığı başarıyla değiştirildi"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Siteler"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Takip edilecek siteler"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "Boyut"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "Sosyal"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Bazı görsel yüklemeleri başarısız oldu. Bu eylem, başarısız olan görsellerin tümünü gönderiden kaldıracak.\nYine de kaydedilsin mi?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "Üzgünüz, bu kullanıcı adı zaten var! "; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "Üzgünüm, bu kullanıcı adı müsait değil."; +"Sorry, that username is unavailable." = "Üzgünüm, bu kullanıcı adı müsait değil."; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Üzgünüz, kullanıcı adı sadece küçük harfler (a-z) ve rakamlar içerebilir."; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "Sırala"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "Kaynak kodu"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Güney"; /* Label for showing the available disk space quota available for media */ "Space used" = "Kullanılan alan"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Sitenizi hızlandırın"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "Standart"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "Yeniden başla"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "Yazmaya başla..."; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Üstünü çiz"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Değerlendirme için gönderiliyor..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Gündem dizini başarıyla temizlendi"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "Destek"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "Site değiştir"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Sistem varsayılanı"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "İçerik tablosu"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "%@ gösteren tablo "; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiket"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "Etiket Bağlantısı"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Etiket zaten var"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Ne tür bir site oluşturmak istediğinizi bize söyleyin"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "Şartlar ve koşullar"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "Sadece metin"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Bunun yerine bana kodu mesaj olarak gönderin"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "%2$@ tarafından hazırlanan %1$@ temasını seçtiğiniz için teşekkürler"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Android için WordPress uygulaması büyük bir görsel gelişim yaşadı"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Uygulama sunucu cevabını tanıyamadı. Lütfen sitenizin ayarlarını kontrol edin."; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Bu sunucunun sertifikası geçersiz. “%@” taklidi yapan bir siteye bağlanıyor olabilirsiniz ki bu kişisel bilgilerinizin ele geçirilebilmesi açısından büyük bir risktir.\n\nSertifikaya güvenip devam etmek istiyor musunuz?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "%1$@ dosyasında kötü amaçlı bir kod modeli var."; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video ortam kütüphanesine eklenemez."; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema etkinleştirildi"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "%@ konumuna bağlanırken bir sorun oluştu. Duyuruya devam etmek için yeniden bağlanın."; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Bu uygulama yazılarınıza fotoğraf ve\/veya video eklemek için cihazınızın görsel kitaplığa erişim izni istiyor. Buna izin vermek istiyorsanız lütfen gizlilik ayarlarını değiştirin."; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Bu alan adı kullanılamaz"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Tehdit yok sayıldı."; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Küçük resim"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "Başlık"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Kategori başlığı zorunludur."; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Yazılarınızda fotoğraf veya video eklemek için."; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Bu Google hesabı ile devam etmek için lütfen ilk önce WordPress.com parolanızla giriş yapın. Bu sadece bir kez sorulacak."; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Yazılarınızda kullanacağınız fotoğraf veya videoları çekmek için."; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML kaynak koduna geç "; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Sıralı liste biçimini değiştirir"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Toplam kelime"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "%s öğesini şuna dönüştür:"; - -/* No comment provided by engineer. */ -"Transform block…" = "Bloku dönüştür…"; - /* No comment provided by engineer. */ "Translate" = "Çevir"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter kullanıcı adı"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Daha fazla fikir edinmek için anahtar sözcük girin"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Adlandırılmamış site"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Sırasız liste"; /* Filters Unread Notifications */ "Unread" = "Okunmamış"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Kaydedilmemiş değişiklikler"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Başlıksız"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Yedi güne kadar kayıtlar saklanır."; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Ortam dosyası yükle"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "Site simgesini karşıya yükleyin"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "Site logonuz olması için bir görsel yükleyin veya ortam kitaplığınızdan bir görsel seçin"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Yükleme başarısız oldu"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Mevcut konumu kullan"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Blok düzenleyici kullan"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Ekip üyelerinizi tek tek davet etmenize gerek kalmadan, bu bağlantıyla hepsini getirebilirsiniz. Ekibinizin üyelerini tek tek davet etmek zorunda kalmadan dahil etmek için bu bağlantıyı kullanın. Bu bağlantıya tıklayan herkes, başkasından bile almış olsa, kurumunuza dahil olabilir. O nedenle, sadece güvendiğiniz kişilerle paylaşmaya dikkat edin."; /* No comment provided by engineer. */ "Use this site" = "Bu siteyi kullan"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "E-posta adresinizi doğrulayın - Talimatlar %@ adresinde gönderildi"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Sürüm"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "%@ sürümü hazır"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video önizlemesi kullanılamıyor"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video yazısı. %s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "Video dışa aktarımı iptal edildi."; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "İzleyiciler"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Savunmasız Tema %1$@ (sürüm %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Yönetim"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "Okuyucuya hoşgeldiniz"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Dünyanın en popüler web sitesi oluşturucusuna hoş geldiniz."; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "I-ıh, bu geçerli bir iki adımlı doğrulama kodu değil. Kodunuzu iki kere kontrol edin ve tekrar deneyin!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Bileşenler"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "Herkese açık olarak görüntülenmeyecek."; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Bu güçlü düzenleyici ile hareket halindeyken yazı gönderebilirsiniz."; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress uygulama ayarları"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "Cevap yazın…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "Yazma"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Sitenizin adresi Safari ile sitenizi ziyaret ettiğinizde tepede görüntülenir."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Siteniz oluşturuldu!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Şimdi yeni yazılar için blok düzenleyiciyi kullanıyorsunuz, harika! Klasik düzenleyicide değişiklik yapmak istiyorsanız, Sitem > Site Ayarları'na gidin."; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[YORUM]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "bir saat"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "ses"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "%@ tarafından"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "bağlantılar"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "belge taslağı"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "birimi değiştirmek için çift dokunun"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ör. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ör. 44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "takipçi"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/benim-site-adresim (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "görsel"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "\"Uygulamalar\" içinde"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "bugün daha sonra"; +/* No comment provided by engineer. */ +"link" = "bağlantı"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = ","; +/* No comment provided by engineer. */ +"ordered list" = "sıralı liste"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "diğer"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "parola"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "telefon numarası"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "gönderi"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "özet"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "bu ögeler silinecekler:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "bugün"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, siteler, site, bloglar, blog"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "yeni alan adınız %@ ayarlanıyor. Siteniz sevinçten taklalar atıyor!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Alan adları"; diff --git a/WordPress/Resources/zh-Hans.lproj/Localizable.strings b/WordPress/Resources/zh-Hans.lproj/Localizable.strings index 7cf8992b72bf..de46d4c50f4e 100644 --- a/WordPress/Resources/zh-Hans.lproj/Localizable.strings +++ b/WordPress/Resources/zh-Hans.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-20 05:41:14+0000 */ +/* Translation-Revision-Date: 2021-05-06 10:48:15+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: zh_CN */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d 篇未读文章"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s转换为%2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s(%2$d,共%3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s是%3$s%4$s。"; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 个字词,%2$li 个字符"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s区块选项"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s 区块。空白"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s 区块。此区块包含无效内容"; +/* translators: %s: Number of comments */ +"%s comment" = "%s条评论"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s标签"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "不完全支持 '%s'"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ 地址行 %@"; +/* No comment provided by engineer. */ +"- Select -" = "- 选择 -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ “区块”是用以描述在组合\n\/\/ 到一起时便能形成页面的\n\/\/ 内容或版式项目的\n\/\/ 抽象名词。\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "已上传 1 篇草稿文章"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "发现1个潜在威胁"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "不到 1 小时"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "大雪纷飞<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "“更多”按钮包含显示共享按钮的下拉菜单"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "您站点文章的日历。"; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "您最常使用的标签云。"; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "允许访问者在您的站点内不断浏览的区块集合。"; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "已设置特色图片。轻点以更改该图片。"; /* Title for a threat */ "A file contains a malicious code pattern" = "一个包含恶意代码模式的文件"; +/* No comment provided by engineer. */ +"A link to a category." = "目标分类的链接。"; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "一个指向自定义URL的链接。"; + +/* No comment provided by engineer. */ +"A link to a page." = "目标页面的链接。"; + +/* No comment provided by engineer. */ +"A link to a post." = "目标文章的链接。"; + +/* No comment provided by engineer. */ +"A link to a tag." = "目标标签的链接。"; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "此帐户上的站点列表。"; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "帮助您增加站点受众的一系列步骤。"; +/* No comment provided by engineer. */ +"A single column within a columns block." = "列区块中的单个列。"; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "名为“%@”的标签已存在。"; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "地址"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = "关于"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "添加新统计信息卡片"; +/* No comment provided by engineer. */ +"Add Template" = "添加模板"; + /* No comment provided by engineer. */ "Add To Beginning" = "添加到开始"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "添加主题"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "添加一个在多列中显示内容的区块,您可以在其中添加任何您喜欢的内容区块。"; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "加入用来显示其他站点内容的区块,如Twitter、Instagram或YouTube。"; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "在此处添加自定义 CSS URL 以将其加载到阅读器中。 如果您在本地运行 Calypso,则可能类似于:http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "添加可下载文件的链接。"; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "添加页面,链接或其他项到导航。"; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "添加自托管站点"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "添加替代文本"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "加入有文字浮层的图像或视频,适合作为页眉。"; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "添加任何主题"; +/* No comment provided by engineer. */ +"Add caption" = "添加说明"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "添加引文"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "添加自定义 HTML 代码,并在编辑的同时进行预览。"; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "添加图像或头像以表示此新帐户。"; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "添加段落区块"; +/* translators: placeholder text used for the quote */ +"Add quote" = "添加报价"; + /* Add self-hosted site button */ "Add self-hosted site" = "添加自托管站点"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "添加标签"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "添加符合间距和标签的文字,也可设置样式。"; + +/* No comment provided by engineer. */ +"Add text…" = "添加文字…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "添加此文章的作者。"; + +/* No comment provided by engineer. */ +"Add the date of this post." = "添加此文章的日期。"; + /* No comment provided by engineer. */ "Add this email link" = "添加此电子邮件链接"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "添加此电话链接"; +/* No comment provided by engineer. */ +"Add tracks" = "天家音轨"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "在区块之间添加空白区域,并自定义其高度。"; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "正在添加站点功能"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "相册"; +/* No comment provided by engineer. */ +"Align column center" = "列居中对齐"; + +/* No comment provided by engineer. */ +"Align column left" = "列靠左对齐"; + +/* No comment provided by engineer. */ +"Align column right" = "列靠右对齐"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "对齐方式"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "出现错误。"; +/* No comment provided by engineer. */ +"An example title" = "标题示例"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "发生了未知错误。请重试。"; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "赞成评论。"; +/* No comment provided by engineer. */ +"Archive Title" = "归档标题"; + +/* No comment provided by engineer. */ +"Archive title" = "归档标题"; + +/* No comment provided by engineer. */ +"Archives settings" = "归档设置"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "是否确定要取消并放弃更改?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "是否确定要更新?"; +/* No comment provided by engineer. */ +"Area" = "区域"; + /* An example tag used in the login prologue screens. */ "Art" = "艺术"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "自 2018 年 8 月 1 日起,Facebook 不再允许直接将文章共享到 Facebook 个人资料。与 Facebook 页面的关联保持不变。"; +/* No comment provided by engineer. */ +"Aspect Ratio" = "宽高比"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "以链接形式附加文件"; +/* No comment provided by engineer. */ +"Attachment page" = "附件页面"; + /* No comment provided by engineer. */ "Audio Player" = "音频播放器"; +/* No comment provided by engineer. */ +"Audio caption text" = "音频说明文字"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "音频说明。%s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "音频说明。空"; +/* No comment provided by engineer. */ +"Audio settings" = "音频设置"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "音频,%@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "作者"; +/* No comment provided by engineer. */ +"Auto" = "自动"; + /* Describes a status of a plugin */ "Auto-managed" = "已自动托管"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "自动将新文章共享到社交媒体帐户。"; +/* No comment provided by engineer. */ +"Autoplay" = "自动播放"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "自动更新"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "块引用"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "区块已拷贝"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "区块已剪切"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "区块已复制"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "区块不能在其内部渲染。"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "已启用区块编辑器"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "区块已被删除或不可用。"; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "阻止恶意登录尝试"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "区块已粘贴"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "区块已删除"; - -/* No comment provided by engineer. */ -"Block settings" = "区块设置"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "隐藏此站点"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "博客查看者"; +/* No comment provided by engineer. */ +"Body cell text" = "Body单元格文字"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "粗体"; +/* No comment provided by engineer. */ +"Border" = "边框"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "将评论线程划分到多个页面。"; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "简要描述该链接以帮助屏幕阅读器用户。"; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "浏览我们所有的主题,寻找最适合您的主题。"; +/* No comment provided by engineer. */ +"Browse all templates" = "浏览所有模板"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "浏览所有模板。将会打开导航侧面板中的模板菜单。"; + +/* No comment provided by engineer. */ +"Browser default" = "浏览器默认"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "防范暴力攻击"; @@ -980,7 +1159,10 @@ "Button Style" = "按钮风格"; /* No comment provided by engineer. */ -"ButtonGroup" = "按钮分组"; +"Buttons shown in a column." = "按钮显示在一列中。"; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "按钮显示在一行中。"; /* Label for the post author in the post detail. */ "By " = "作者"; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "正在计算..."; +/* No comment provided by engineer. */ +"Call to Action" = "号召性用语"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "照相机"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "标题"; +/* No comment provided by engineer. */ +"Captions" = "无障碍字幕"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "小心!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "类别"; +/* No comment provided by engineer. */ +"Category Link" = "分类链接"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "没有分类目录名。"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "证书错误"; +/* No comment provided by engineer. */ +"Change Date" = "变更日期"; + /* Account Settings Change password label Main title */ "Change Password" = "修改密码"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "更改区块位置"; +/* No comment provided by engineer. */ +"Change column alignment" = "修改列对齐方式"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "更改失败"; +/* No comment provided by engineer. */ +"Change heading level" = "修改标题级别"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "更改用于预览的设备类型"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "正在更改用户名"; +/* No comment provided by engineer. */ +"Chapters" = "章节"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "检查购买内容时出错"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "选择域"; +/* No comment provided by engineer. */ +"Choose existing" = "选择现有"; + /* No comment provided by engineer. */ "Choose file" = "选择文件"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "清除所有旧的活动日志?"; +/* No comment provided by engineer. */ +"Clear customizations" = "清除自定义项"; + /* No comment provided by engineer. */ "Clear search" = "清除搜索"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "关闭评论"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "关闭全局样式侧边栏"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "关闭列表试图边栏"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "关闭设置边栏"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "关闭“我”屏幕"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "代码"; +/* No comment provided by engineer. */ +"Code is Poetry" = "代码如诗"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "已收起,%i 个已完成的任务,切换会展开这些任务的列表"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "丰富多彩的背景"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "列%d文字"; + +/* No comment provided by engineer. */ +"Column count" = "列数"; + +/* No comment provided by engineer. */ +"Column settings" = "列设置"; + +/* No comment provided by engineer. */ +"Columns" = "列"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "将多个区块组合成一组。"; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "结合使用照片、视频和文字,创作您的访客一定会喜欢的引人入胜、吸引点击量的故事文章。"; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "连接"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "联系"; + /* Support email label. */ "Contact Email" = "联系电子邮件地址"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "联系支持"; +/* No comment provided by engineer. */ +"Contact us" = "联系我们"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "请通过 %@ 与我们联系"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "内容结构\n区块:%1$li,字词:%2$li,字符:%3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "此区块前的内容将在您的归档页上作为摘要显示。"; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "继续"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "继续使用 WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "继续工作"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "继续使用 Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "转换为区块"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "转换为有序列表"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "转换为无序列表"; + /* An example tag used in the login prologue screens. */ "Cooking" = "烹饪"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "复制URL到剪贴板。"; + /* No comment provided by engineer. */ "Copied block" = "已拷贝区块"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "将链接复制到评论中"; /* No comment provided by engineer. */ -"Copy block" = "复制区块"; +"Copy URL" = "复制 URL"; /* No comment provided by engineer. */ "Copy file URL" = "复制文件 URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "无法检测站点购买内容。"; +/* translators: 1. Error message */ +"Could not edit image. %s" = "无法编辑图像。%s"; + /* Title of a prompt. */ "Could not follow site" = "无法关注站点"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "创建故事文章"; +/* No comment provided by engineer. */ +"Create Table" = "创建表格"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "创建 WordPress.com 站点"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "创建标签"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "使用水平分隔符分隔创意或各个部分。"; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "创建项目符号列表或编号列表。"; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "创建新站点"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "为您的业务、杂志或个人博客创建新站点;或连接现有的 WordPress 站点。"; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "创建一个新的模板组建或从列表中选择现有的模板组建。"; + /* Accessibility hint for create floating action button */ "Create a post or page" = "创建文章或页面"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "创建文章、页面或故事"; +/* No comment provided by engineer. */ +"Create a template part" = "创建模板组建"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "创建并保存内容以在您的站点上重复使用。更新该区块后,这些变更将应用​​至所有使用该区块的位置。"; + /* Label that describes the download backup action */ "Create downloadable backup" = "创建可下载的备份"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "当前正在恢复:%1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "自定义链接"; + /* Placeholder for Invite People message field. */ "Custom message…" = "自定义消息..."; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "针对赞、评论、关注等项目自定义您的站点设置。"; -/* No comment provided by engineer. */ -"Cut block" = "剪切区块"; - /* Title for the app appearance setting for dark mode */ "Dark" = "深色"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017 年 12 月 17 日"; +/* No comment provided by engineer. */ +"December 6, 2018" = "2018年12月6日"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "默认"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "默认 URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "基于面积的默认值(%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "新文章的默认设置"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "删除站点错误"; +/* No comment provided by engineer. */ +"Delete column" = "删除列"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "删除菜单"; +/* No comment provided by engineer. */ +"Delete row" = "删除行"; + /* Delete Tag confirmation action title */ "Delete this tag" = "删除此标签"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "描述"; +/* No comment provided by engineer. */ +"Descriptions" = "描述"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "设计"; /* Title for the desktop web preview */ "Desktop" = "台式设备"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "从模板组建分离区块"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "详情"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "显示名称"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "在此处显示您站点在所有时间的统计信息。在 WordPress 应用程序的站点统计信息中进行配置。"; +/* No comment provided by engineer. */ +"Display a legacy widget." = "显示旧版小工具。"; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "在此处显示您站点本周的统计数据。在 WordPress 应用程序的站点统计信息中进行配置。"; +/* No comment provided by engineer. */ +"Display a list of all categories." = "显示所有分类的列表。"; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "在此处显示您站点当天的统计数据。在 WordPress 应用程序的站点统计信息中进行配置。"; +/* No comment provided by engineer. */ +"Display a list of all pages." = "显示所有页面的列表。"; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "文档:%@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "显示最新评论的列表。"; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "域联系信息"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "显示您最近的文章列表,不包括置顶文章。"; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "域所有者必须在所有域的公共数据库中共享联系信息。通过隐私保护功能,我们会发布自己的信息(而不是您的信息),并以私密方式将所有邮件转发给您。"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "显示您的最新文章的列表。"; -/* Title for the Domains list */ -"Domains" = "域"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "显示您的文章的月度归档。"; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "还没有帐户?_注册_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "显示文章的分类。"; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "完成"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "显示文章的评论数。"; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "不必担心"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "显示文章的评论表单。"; + +/* No comment provided by engineer. */ +"Display a post's comments." = "显示文章的评论。"; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "显示文章摘要。"; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "显示文章的特色图片。"; + +/* No comment provided by engineer. */ +"Display a post's tags." = "显示文章标签。"; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "显示链接到社交媒体个人资料或网站的图标。"; + +/* No comment provided by engineer. */ +"Display as dropdown" = "以下拉菜单显示"; + +/* No comment provided by engineer. */ +"Display author" = "显示作者"; + +/* No comment provided by engineer. */ +"Display avatar" = "显示头像"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "显示符合间距和标签的代码段。"; + +/* No comment provided by engineer. */ +"Display date" = "显示日期"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "从任意RSS或Atom feed中显示条目。"; + +/* No comment provided by engineer. */ +"Display excerpt" = "显示摘要"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "显示链接至您的社交媒体个人资料或网站的图标。"; + +/* No comment provided by engineer. */ +"Display login as form" = "以表单形式显示登录"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "显示丰富图库中的多张图像。"; + +/* No comment provided by engineer. */ +"Display post date" = "显示文章日期"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "根据查询的对象显示归档标题。"; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "查看归档时显示分类、标签和自定义分类法的描述。"; + +/* No comment provided by engineer. */ +"Display the query title." = "显示查询标题。"; + +/* No comment provided by engineer. */ +"Display the title as a link" = "以链接方式显示标题"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "在此处显示您站点在所有时间的统计信息。在 WordPress 应用程序的站点统计信息中进行配置。"; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "在此处显示您站点本周的统计数据。在 WordPress 应用程序的站点统计信息中进行配置。"; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "在此处显示您站点当天的统计数据。在 WordPress 应用程序的站点统计信息中进行配置。"; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "显示分页数列表,以便排序。"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "根据查询结果显示的文章列表。"; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "如果适用,显示下一组\/上一组文章的分页导航。"; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "显示并允许编辑站点的名称。站点标题通常会出现在浏览器标题栏、搜索结果等中。在 \"设置\">\"常规 \"中也可编辑。"; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "显示一篇文章或页面的内容。"; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "显示当前文章评论的链接。"; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "显示与当前文章相邻的下一篇或上一篇文章的链接。"; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "显示“下一篇文章”页面链接。"; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "显示与当前文章相邻的下一篇文章的链接。"; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "显示与当前文章相邻的上一篇文章的链接。"; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "显示“上一篇文章”页面链接。"; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "显示文章、页面或任何其他内容类型的标题。"; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "文档:%@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "域联系信息"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "域所有者必须在所有域的公共数据库中共享联系信息。通过隐私保护功能,我们会发布自己的信息(而不是您的信息),并以私密方式将所有邮件转发给您。"; + +/* Title for the Domains list */ +"Domains" = "域"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "还没有帐户?_注册_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "完成"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "不必担心"; + +/* No comment provided by engineer. */ +"Dots" = "点"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "双击并按住可向上或向下移动此菜单项"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "双击打开操作表以编辑、替换或清除图像"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "双击以打开带有可用选项的操作表页"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "双击可打开底片以编辑、替换或清除图像"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "双击以打开带有可用选项的底部表页"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "轻点两次以恢复上次的更改"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "下载备份"; +/* No comment provided by engineer. */ +"Download button settings" = "下载按钮设置"; + +/* No comment provided by engineer. */ +"Download button text" = "下载按钮文字"; + /* Title for the button that will download the backup file. */ "Download file" = "下载文件"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "下载您的模板和模板组建。"; + /* Label for number of file downloads. */ "Downloads" = "下载"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "草稿"; +/* No comment provided by engineer. */ +"Drop cap" = "首字下沉"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "复制"; -/* No comment provided by engineer. */ -"Duplicate block" = "复制区块"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "杨牧 - 热兰遮城 - 1975 年\n对方已经进入了燠热的蝉声,自石级下仰视,危危阔叶树,\n张开便是风的床褥——巨炮生锈。而我不知如何于硝烟疾走的历史中,冷静蹂躏她那一袭蓝花的新衣服。有一份灿烂极令我欣喜,欧洲的长剑斗胆挑破巅倒的胸襟。我们拾级而上。"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "东"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "编辑“%@”区块"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "编辑%s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "编辑禁止名单关键词"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "编辑文章"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "编辑 RSS 网址"; + +/* No comment provided by engineer. */ +"Edit URL" = "编辑网址"; + /* No comment provided by engineer. */ "Edit file" = "编辑文件"; /* No comment provided by engineer. */ "Edit focal point" = "编辑焦点"; +/* No comment provided by engineer. */ +"Edit gallery image" = "编辑库图像"; + +/* No comment provided by engineer. */ +"Edit image" = "编辑图像"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "使用区块编辑器编辑新文章和页面。"; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "编辑共享按钮"; +/* No comment provided by engineer. */ +"Edit table" = "编辑表格"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "先编辑文章"; +/* No comment provided by engineer. */ +"Edit track" = "编辑音轨"; + /* No comment provided by engineer. */ "Edit using web editor" = "使用 Web 编辑器进行编辑"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "电子邮件已发送!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "嵌入Amazon Kindle内容。"; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "嵌入Cloudup内容。"; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "嵌入CollegeHumor内容。"; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "嵌入Crowdsignal(Polldaddy)内容。"; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "嵌入Flickr内容。"; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "嵌入Imgur内容。"; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "嵌入Issuu内容。"; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "嵌入Kickstarter内容。"; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "嵌入Meetup.com内容。"; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "嵌入Mixcloud内容。"; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "嵌入ReverbNation内容。"; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "嵌入Screencast内容。"; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "嵌入Scribd内容。"; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "嵌入Slideshare内容。"; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "嵌入SmugMug内容。"; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "嵌入SoundCloud内容。"; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "嵌入Speaker Deck内容。"; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "嵌入Spotify内容。"; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "嵌入 Dailymotion 视频。"; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "嵌入Facebook 帖子。"; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "嵌入Reddit讨论串。"; + +/* No comment provided by engineer. */ +"Embed a TED video." = "嵌入TED视频。"; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "嵌入TikTok视频。"; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "嵌入Tumblr文章。"; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "嵌入VideoPress视频。"; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "嵌入Vimeo视频。"; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "嵌入WordPress文章。"; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "嵌入WordPress.tv视频。"; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "嵌入YouTube视频。"; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "嵌入简单音频播放器。"; + +/* No comment provided by engineer. */ +"Embed a tweet." = "嵌入推文。"; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "从您的媒体库中嵌入视频,或上传新视频。"; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "嵌入Animoto视频。"; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "嵌入Instagram贴文。"; + +/* translators: %s: filename. */ +"Embed of %s." = "作者 %s"; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "嵌入选定的PDF文件。"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "嵌入来自%s的内容"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "来自%s的嵌入内容不能在编辑器中预览。"; + +/* No comment provided by engineer. */ +"Embedding…" = "嵌入中…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "空"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "空 URL"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "空区块;开始写作或按正斜杠来选择区块"; + /* Button title for the enable site notifications action. */ "Enable" = "启用"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "结束日期"; +/* No comment provided by engineer. */ +"English" = "英语"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "进入全屏"; +/* No comment provided by engineer. */ +"Enter URL here…" = "在此输入URL…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "键入要在此嵌入的URL…"; + /* Enter a custom value */ "Enter a custom value" = "输入自定义值"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "输入密码以保护这篇文章"; +/* No comment provided by engineer. */ +"Enter address" = "输入地址"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "在上面输入不同的字词,我们会查找与其相符的地址。"; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "输入您的服务器凭据以启用从备份中一键恢复站点的功能。"; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "输入您的服务器凭据以修复威胁。"; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "输入您的服务器凭据以修复威胁。"; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "更新加速站点加载设置时出错"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "活动"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "了解各个套餐"; +/* No comment provided by engineer. */ +"Export" = "导出"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "导出内容"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "特色图片未加载"; +/* No comment provided by engineer. */ +"February 21, 2019" = "2019年2月21日"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "正在提取主题..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "文件类型"; +/* No comment provided by engineer. */ +"Fill" = "填充"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "使用密码管理器填写"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "名字"; +/* No comment provided by engineer. */ +"Five." = "五、"; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "全部修复"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "已修复"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "定宽单元格"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "修复威胁"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "足球"; +/* No comment provided by engineer. */ +"Footer cell text" = "页脚单元格文字"; + +/* No comment provided by engineer. */ +"Footer label" = "页脚标签"; + +/* No comment provided by engineer. */ +"Footer section" = "页脚章节"; + +/* No comment provided by engineer. */ +"Footers" = "页脚"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "为方便起见,我们已预先填充您的 WordPress.com 联系信息。请检查此信息,以确保这是您想在此域上使用的正确信息。"; +/* No comment provided by engineer. */ +"Format settings" = "格式设定"; + /* Next web page */ "Forward" = "转发"; +/* No comment provided by engineer. */ +"Four." = "四、"; + /* Browse free themes selection title */ "Free" = "免费"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "图库说明文字"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "图库说明。%s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "建立并运行您的站点"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "受到启发"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "获取账户信息"; /* Cancel */ "Give Up" = "放弃"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "给引文提供视觉强调。“在引用其他人时,我们引用自己。”——胡里奥·科塔萨尔"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "给您文中的引用增加视觉强调的空间。"; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "为您的站点提供一个反映其个性和主题的名称。 第一印象很重要!"; +/* No comment provided by engineer. */ +"Global Styles" = "全局样式"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML 内容"; +/* No comment provided by engineer. */ +"HTML element" = "HTML 元素"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "标题 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "标题 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header单元格文字"; + +/* No comment provided by engineer. */ +"Header label" = "标题标签"; + +/* No comment provided by engineer. */ +"Header section" = "页头章节"; + +/* No comment provided by engineer. */ +"Headers" = "页眉"; + +/* No comment provided by engineer. */ +"Heading" = "标题"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "标题%d"; + /* H1 Aztec Style */ "Heading 1" = "一级标题"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "六级标题"; +/* No comment provided by engineer. */ +"Heading text" = "标题文字"; + +/* No comment provided by engineer. */ +"Height in pixels" = "高度(像素)"; + /* Help button */ "Help" = "帮助"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "“帮助”图标"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "帮助访客找到您的内容。"; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "以下是该文章到目前为止的效果。"; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "隐藏键盘"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "在完整内容页上隐藏摘要"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "保持审核状态"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "主页"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "太棒了!\n马上就好"; +/* No comment provided by engineer. */ +"Horizontal" = "水平"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jetpack 如何修复该问题?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "我喜欢"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "摄影师Cameron Karsten的作品给了我很大的启发。我将在我的下一个作品中尝试这些技术。"; + /* Title of a button style */ "Icon & Text" = "图标和文字"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "如果您继续使用 Apple 或 Google,并且还没有 WordPress.com 帐户,则需要创建一个帐户,并同意我们的_服务条款_。"; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "如果您输入了自定义标签,它将在标题前加上前缀。"; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "删除 %1$@ 后,此用户将无法再访问此站点,但是 %2$@ 创建的所有内容仍会保留在此站点上。"; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "图片尺寸"; +/* No comment provided by engineer. */ +"Image caption text" = "图片说明文字"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "图片说明。%s"; +/* No comment provided by engineer. */ +"Image settings" = "图像设置"; + /* Hint for image title on image settings. */ "Image title" = "图像标题"; +/* No comment provided by engineer. */ +"Image width" = "图片宽度"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "图像,%@"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "图像、日期和标题"; + /* Undated post time label */ "Immediately" = "立即"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "简要描述该站点。"; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "简要描述该站点。"; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "曼查有个地方,地名就不用提了,不久前住着一位贵族。他那类贵族,矛架上有一支长矛,还有一面皮盾、一匹瘦马和一只猎兔狗。"; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "引用别人的说法,是为了加强自己的论述。"; + /* Describes a status of a plugin */ "Inactive" = "未激活"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "用户名或密码有误。请尝试再次输入您的登录详细信息。"; +/* No comment provided by engineer. */ +"Indent" = "增加缩进"; + +/* No comment provided by engineer. */ +"Indent list item" = "缩进列表项"; + /* Title for a threat */ "Infected core file" = "已被感染的核心文件"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "插入多媒体"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "插入表格来共享数据。"; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "插入表格——共享图表和数据的完美选项。"; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "通过WordPress简码加入额外的自定义元素。"; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "插入图像用于视觉声明。"; + +/* No comment provided by engineer. */ +"Insert column after" = "在后面插入列"; + +/* No comment provided by engineer. */ +"Insert column before" = "在前面插入列"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "插入媒体"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "插入诗歌,使用特殊的空白格式,或引用歌词。"; + +/* No comment provided by engineer. */ +"Insert row after" = "在后面插入行"; + +/* No comment provided by engineer. */ +"Insert row before" = "在前面插入行"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "插入所选内容"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "在站点上安装第一个插件最多需要 1 分钟。在此期间,您将无法更改自己的站点。"; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "插入新的章节并整理内容来让您的访客(和搜索引擎)理解您的内容的结构。"; + /* Stories intro header title */ "Introducing Story Posts" = "故事文章简介"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "斜体"; +/* No comment provided by engineer. */ +"Jazz Musician" = "爵士音乐家"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "使您站点的性能始终不会落伍。"; +/* No comment provided by engineer. */ +"Kind" = "类型"; + /* Autoapprove only from known users */ "Known Users" = "已知用户"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "标签"; +/* No comment provided by engineer. */ +"Landscape" = "横屏"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "语言"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "语言标签(en、zh-CN、zh-HK、zh-TW等)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "大"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "最新的文章摘要"; +/* No comment provided by engineer. */ +"Latest comments settings" = "最新评论设置"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "了解更多"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "详细了解日期和时间格式。"; +/* No comment provided by engineer. */ +"Learn more about embeds" = "了解关于嵌入的更多内容"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "了解更多关于角色的信息"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "旧图标"; +/* No comment provided by engineer. */ +"Legacy Widget" = "旧版微件"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "让我们助您一臂之力"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "完成时通知我!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "级别 %1$s。%2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "级别 %s。空白。"; + /* Title for the app appearance setting for light mode */ "Light" = "明亮"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "链接到"; +/* No comment provided by engineer. */ +"Link color" = "链接颜色"; + +/* No comment provided by engineer. */ +"Link label" = "链接标签"; + +/* No comment provided by engineer. */ +"Link rel" = "链接rel"; + +/* No comment provided by engineer. */ +"Link to" = "链接到"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "到%s的链接"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "链接到现有内容"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "评论中的链接"; +/* No comment provided by engineer. */ +"Links shown in a column." = "链接显示在一列中。"; + +/* No comment provided by engineer. */ +"Links shown in a row." = "链接显示在一行中。"; + +/* No comment provided by engineer. */ +"List" = "列表"; + +/* No comment provided by engineer. */ +"List of template parts" = "模板组建列表"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "列表样式"; +/* No comment provided by engineer. */ +"List text" = "链接文字"; + /* Title of the screen that load selected the revisions. */ "Load" = "加载"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "正在载入..."; +/* No comment provided by engineer. */ +"Loading…" = "正在加载"; + /* Status for Media object that is only exists locally. */ "Local" = "本地"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "使用您的 WordPress.com 用户名和密码登录。"; +/* No comment provided by engineer. */ +"Log out" = "了解更多"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "注销 WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "登录请求已过期"; +/* No comment provided by engineer. */ +"Login\/out settings" = "登录\/注销设置"; + +/* No comment provided by engineer. */ +"Logos Only" = "只有标志"; + /* No comment provided by engineer. */ "Logs" = "日志"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "似乎您已在站点上设置 Jetpack。恭喜!使用下方的 WordPress.com 凭据登录,以启用“统计数据”与“通知”功能。"; +/* No comment provided by engineer. */ +"Loop" = "循环"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "忘记密码?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "主要导航"; +/* No comment provided by engineer. */ +"Main color" = "主颜色"; + +/* No comment provided by engineer. */ +"Make template part" = "制作模版组建"; + +/* No comment provided by engineer. */ +"Make title a link" = "给标题加上链接"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "使用电子邮件地址匹配帐户"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "图片上传尺寸上限"; /* Title for the video size settings option. */ "Max Video Upload Size" = "视频上传尺寸上限"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "摘要的最大字数"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "2019年5月7日"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "媒体上传"; +/* No comment provided by engineer. */ +"Media area" = "媒体区"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "媒体没有可上传的关联文件。"; +/* No comment provided by engineer. */ +"Media file" = "媒体文件"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "媒体文件 (%1$@) 过大,无法上传。大小上限为 %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "媒体预览加载失败。"; +/* No comment provided by engineer. */ +"Media settings" = "媒体设置"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "已上传媒体(%ld 个文件)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "监控您站点的正常运行时间"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "勃朗峰高耸:积雪、宁静、安恬。"; + /* Title of Months stats filter. */ "Months" = "月"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "WordPress.com 的更多内容"; +/* No comment provided by engineer. */ +"More tools & options" = "更多工具和选项"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "人气最高的时间"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "下移"; +/* No comment provided by engineer. */ +"Move image backward" = "后移图像"; + +/* No comment provided by engineer. */ +"Move image forward" = "前移图像"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "移动菜单项"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "将评论移至回收站。"; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "查看下一个贴士"; + /* An example tag used in the login prologue screens. */ "Music" = "音乐"; +/* No comment provided by engineer. */ +"Muted" = "静音"; + /* Link to My Profile section My Profile view title */ "My Profile" = "我的个人资料"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "我的申请单"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "我的十大咖啡馆"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "名称"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "导航以自定义渐变"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "导航(水平)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "导航(垂直)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "需要帮助?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "添加禁止名单关键词"; +/* No comment provided by engineer. */ +"New Column" = "新列"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "新的自定义应用图标"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "新文章"; +/* No comment provided by engineer. */ +"New template part" = "新建模版组建"; + /* Screen title, where users can see the newest plugins */ "Newest" = "最新"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "继续"; +/* No comment provided by engineer. */ +"Next Page" = "下一页"; + /* Table view title for the quick start section. */ "Next Steps" = "后续步骤"; /* Accessibility label for the next notification button */ "Next notification" = "下一条通知"; +/* No comment provided by engineer. */ +"Next page link" = "下一页链接"; + /* Accessibility label */ "Next period" = "后一个时段"; +/* No comment provided by engineer. */ +"Next post" = "下篇文章"; + /* Label for a cancel button */ "No" = "否"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "无连接"; +/* No comment provided by engineer. */ +"No Date" = "没有日期"; + /* List Editor Empty State Message */ "No Items" = "没有条目"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "暂无评论"; +/* No comment provided by engineer. */ +"No comments." = "没有评论"; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "无文章。"; +/* No comment provided by engineer. */ +"No preview available." = "没有可用的预览。"; + /* A message title */ "No recent posts" = "无近期文章"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "没有看到电子邮件? 请检查您的垃圾邮件文件夹。"; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "注:自动播放音频会对一些访客造成可用性问题。"; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "注:自动播放视频会对一些访客造成可用性问题。"; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "注意:主题和屏幕尺寸之间的分栏布局可能会有所不同"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "注意:大多数手机和平板电脑浏览器不会显示嵌入式PDF。"; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "没有找到。"; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "号码"; +/* No comment provided by engineer. */ +"Number of comments" = "评论数量"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "编号列表"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "一个密码按钮"; +/* No comment provided by engineer. */ +"One column" = "单列"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "技术上最难的事情之一就是扰乱自己。"; + +/* No comment provided by engineer. */ +"One." = "一、"; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "仅查看相关性较大的统计信息。添加数据分析以符合您的需求。"; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "糟糕!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "打开区块操作菜单"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "打开设备设置"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "打开 WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "打开区块导航"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "打开完整媒体选择器"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "或通过 _输入您的站点地址_ 登录。"; +/* No comment provided by engineer. */ +"Ordered" = "顺序"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "有序列表"; +/* No comment provided by engineer. */ +"Ordered list settings" = "有序列表设置"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "组织"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "其他站点"; +/* No comment provided by engineer. */ +"Outdent" = "减少缩进"; + +/* No comment provided by engineer. */ +"Outdent list item" = "减少列表项缩进量"; + +/* No comment provided by engineer. */ +"Outline" = "轮廓"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "已覆盖"; +/* No comment provided by engineer. */ +"PDF embed" = "pdf"; + +/* No comment provided by engineer. */ +"PDF settings" = "pdf"; + /* Register Domain - Phone number section header title */ "PHONE" = "电话"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "页面"; +/* No comment provided by engineer. */ +"Page Link" = "页面链接"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "页面已恢复至草稿列表"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "页面设置"; +/* No comment provided by engineer. */ +"Page break" = "分页符"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "分页符区块。%s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "分页"; +/* No comment provided by engineer. */ +"Paragraph" = "段落"; + +/* No comment provided by engineer. */ +"Paragraph block" = "段落区块"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "父级分类目录"; @@ -4486,7 +5442,7 @@ "Paste URL" = "粘贴 URL"; /* No comment provided by engineer. */ -"Paste block after" = "在以下位置后粘贴区块"; +"Paste a link to the content you want to display on your site." = "粘贴要在您的站点上显示的内容链接。"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "不带格式粘贴"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "选择您喜欢的主页布局。 您可以稍后对其进行编辑和自定义。"; +/* No comment provided by engineer. */ +"Pill Shape" = "药丸形状"; + /* The item to select during a guided tour. */ "Plan" = "套餐"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "套餐"; +/* No comment provided by engineer. */ +"Play inline" = "内联播放"; + /* User action to play a video on the editor. */ "Play video" = "播放视频"; +/* No comment provided by engineer. */ +"Playback controls" = "回放控制"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "请先添加一些内容,然后再尝试发布。"; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "热门语言"; +/* No comment provided by engineer. */ +"Portrait" = "横向"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "发布"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "文章类别"; +/* No comment provided by engineer. */ +"Post Comment" = "发表评论"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "发表评论的作者"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "发表的评论内容"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "评论发表日期"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "文章评论区块:未找到文章。"; + +/* No comment provided by engineer. */ +"Post Comments Form" = "文章评论表单"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "文章评论表单区块:该文章类型未启用评论。"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "发表评论表单区块:不允许对此文章发表评论。"; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "文章评论区块:未找到文章。"; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "文章格式"; +/* No comment provided by engineer. */ +"Post Link" = "文章链接"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "已将文章还原到“草稿”"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "作者:%1$@,来源:%2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "文章评论区块:未找到文章。"; + +/* No comment provided by engineer. */ +"Post content settings" = "文章内容设置"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "文章创建日期:%@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "文章上传失败"; +/* No comment provided by engineer. */ +"Post meta settings" = "文章元数据设置"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "已将文章移动到回收站。"; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "发表名称:%1$@,发表网址:%2$@,作者:%3$@。"; +/* No comment provided by engineer. */ +"Poster image" = "海报图像"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "博文发布情况"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "文章"; +/* No comment provided by engineer. */ +"Posts List" = "文章列表"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "文章页面"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "由 Tenor 提供支持"; +/* No comment provided by engineer. */ +"Preformatted text" = "预格式化文字"; + +/* No comment provided by engineer. */ +"Preload" = "预加载"; + /* Browse premium themes selection title */ "Premium" = "付费"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "预览新网站以查看访问者将看到的内容。"; +/* No comment provided by engineer. */ +"Previous Page" = "上一页"; + /* Accessibility label for the previous notification button */ "Previous notification" = "上一条通知"; +/* No comment provided by engineer. */ +"Previous page link" = "上一页链接"; + /* Accessibility label */ "Previous period" = "前一个时段"; +/* No comment provided by engineer. */ +"Previous post" = "上篇文章"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "主站点"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "项目"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "使用按钮样式的链接来提示访客进行操作。"; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "使用按钮样式的链接来提示访客进行操作。"; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "抱歉,不支持此文件类型。"; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "公开"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "正在发布..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "引用引文"; + +/* No comment provided by engineer. */ +"Pullquote text" = "引用文字"; + /* Title of screen showing site purchases */ "Purchases" = "购买"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "推送通知功能已在 iOS 设置中关闭。切换“允许接收通知”以开启此功能。"; +/* No comment provided by engineer. */ +"Query Title" = "查询"; + /* The menu item to select during a guided tour. */ "Quick Start" = "快速启动"; +/* No comment provided by engineer. */ +"Quote citation text" = "引文"; + +/* No comment provided by engineer. */ +"Quote text" = "引用文字"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS设置"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "在 App Store 中给我们评分"; +/* No comment provided by engineer. */ +"Read more" = "阅读更多"; + +/* No comment provided by engineer. */ +"Read more link text" = "“阅读更多”链接文字"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "在以下网站上阅读:"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "已重新连接"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "重定向到当前URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "引用网站"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "“相关文章”在您的文章下方显示您站点中的相关内容"; +/* No comment provided by engineer. */ +"Release Date" = "发布日期"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "从我保存的文章中删除此文章。"; +/* No comment provided by engineer. */ +"Remove track" = "移除音轨"; + /* User action to remove video. */ "Remove video" = "删除视频"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "替换文件"; +/* No comment provided by engineer. */ +"Replace image" = "更换图像"; + /* No comment provided by engineer. */ "Replace image or video" = "替换图片或视频"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "调整大小和裁剪"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "为小设备调整尺寸"; + /* The largest resolution allowed for uploading */ "Resolution" = "分辨率"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "恢复站点"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "模板的主题标识符。"; + /* Button title for restore site action */ "Restore to this point" = "恢复到此点"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "可重用区块在 iOS 版 WordPress 上不可编辑"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "倒序列表编号"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "恢复未审核的更改"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "身份"; +/* No comment provided by engineer. */ +"Rotate" = "旋转"; + +/* No comment provided by engineer. */ +"Row count" = "行数"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "短信已发送"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "选择段落样式"; +/* No comment provided by engineer. */ +"Select poster image" = "选择海报图像"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "选择“%@”,添加您的社交媒体帐户"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "发送推送通知"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "将您的内容分成多个页面。"; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "通过服务器提供图片"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "设为文章页面"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "并排显示媒体和文字来丰富布局。"; + /* The Jetpack view button title for the success state */ "Set up" = "设置"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "共享错误"; +/* No comment provided by engineer. */ +"Shortcode" = "简码"; + +/* No comment provided by engineer. */ +"Shortcode text" = "简码文字"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "显示标题"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "显示相关文章"; +/* No comment provided by engineer. */ +"Show download button" = "显示下载按钮"; + +/* No comment provided by engineer. */ +"Show inline embed" = "显示:"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "显示登录和注销链接。"; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "显示密码"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "显示文章内容"; +/* No comment provided by engineer. */ +"Show post counts" = "显示文章数目"; + /* translators: Checkbox toggle label */ "Show section" = "显示分区"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "仅显示我的文章"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "显示大型首字母。"; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "显示以下文章统计数据:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "显示站点的文章。"; +/* No comment provided by engineer. */ +"Sidebars" = "边栏"; + /* View title during the sign up process. */ "Sign Up" = "注册"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "站点语言"; +/* No comment provided by engineer. */ +"Site Logo" = "站点徽标"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "站点页面"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "站点安全和性能\n一切在您的口袋中掌握"; + +/* No comment provided by engineer. */ +"Site tagline text" = "站点标语文字"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "站点时区 (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "站点标题已成功更改"; +/* No comment provided by engineer. */ +"Site title text" = "站点标题文字"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "站点"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "关注的站点"; +/* No comment provided by engineer. */ +"Six." = "六、"; + /* Image size option title. */ "Size" = "尺寸"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "社交"; +/* No comment provided by engineer. */ +"Social Icon" = "社交图标"; + +/* No comment provided by engineer. */ +"Solid color" = "纯色"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "部分媒体上传失败。该操作将从文章中删除所有失败的媒体。\n仍要保存?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "抱歉,这个用户名已被使用!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "对不起,用户名不可用。"; +"Sorry, that username is unavailable." = "对不起,用户名不可用。"; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "抱歉,此内容不能被嵌入。"; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "抱歉,用户名只能包含小写字母和数字。"; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "排序方式"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "排序和筛选"; + /* Opens the Github Repository Web */ "Source Code" = "源代码"; +/* No comment provided by engineer. */ +"Source language" = "源语言"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "南"; /* Label for showing the available disk space quota available for media */ "Space used" = "已使用的空间"; +/* No comment provided by engineer. */ +"Spacer settings" = "空白设置"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "加快站点加载速度"; +/* No comment provided by engineer. */ +"Square" = "实心方块"; + /* Standard post format label */ "Standard" = "标准"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "从头开始"; +/* No comment provided by engineer. */ +"Start value" = "起始值"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "请从所有故事的基石开始。"; + /* No comment provided by engineer. */ "Start writing…" = "开始撰写…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "删除线"; +/* No comment provided by engineer. */ +"Stripes" = "条带"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "存根"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "正在提交以供审核…"; +/* No comment provided by engineer. */ +"Subtitles" = "字幕"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "已成功清除聚焦索引"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "支持"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "转换站点"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "系统默认"; +/* No comment provided by engineer. */ +"Table" = "表格"; + +/* No comment provided by engineer. */ +"Table caption text" = "表格说明文字"; + /* No comment provided by engineer. */ "Table of Contents" = "目录"; +/* No comment provided by engineer. */ +"Table settings" = "表格设置"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "显示 %@ 的表格"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "标签"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "标签云设置"; + +/* No comment provided by engineer. */ +"Tag Link" = "标签链接"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "标签已存在"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "告诉我们您想创建什么样的网站"; +/* No comment provided by engineer. */ +"Template Part" = "模版组建"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "模板组建\"%s\"已插入。"; + +/* No comment provided by engineer. */ +"Template Parts" = "模版组建"; + +/* No comment provided by engineer. */ +"Template part created." = "模板组建已创建。"; + +/* No comment provided by engineer. */ +"Templates" = "模板"; + +/* No comment provided by engineer. */ +"Term description." = "项目"; + /* The underlined title sentence */ "Terms and Conditions" = "条款和条件"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "仅显示文字"; +/* No comment provided by engineer. */ +"Text link settings" = "文本链接设置"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "通过短信向我发送代码"; +/* No comment provided by engineer. */ +"Text settings" = "文本设置"; + +/* No comment provided by engineer. */ +"Text tracks" = "文字音轨"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "感谢选择 %2$@ 提供的 %1$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Android 版 WordPress 应用程序外观有大变动"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "欢迎来到区块的多彩世界……"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "应用程序无法识别服务器响应,请检查您的站点配置。"; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "此服务器的证书无效。您所连接的服务器伪装成了“%@”,这可能会给您的凭证信息带来危险。\n\n仍然信任此证书吗?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "当前海报图像的URL是%s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "此摘要已隐藏。"; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "此摘要可见。"; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "文件%1$@包含恶意代码模式"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "无法将视频添加到媒体库。"; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "鹪鹩
谋生
无奈。"; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "主题已激活"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "连接至 %@ 时出问题。重新连接以继续宣传。"; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "当前没有选择海报图像"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "此应用程序需要获取设备媒体库的访问权限,才可以向您的文章内添加照片和\/或视频。如要允许此操作,请更改隐私设置。"; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "此区块已被废弃,请使用多栏区块。"; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "此列数超过了建议的数量,可能会造成视觉受损。"; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "此域不可用"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "已忽略威胁。"; +/* No comment provided by engineer. */ +"Three columns; equal split" = "三栏;栏宽相等"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "三栏;中间栏位较宽"; + +/* No comment provided by engineer. */ +"Three." = "三、"; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "缩略图"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "标题"; +/* No comment provided by engineer. */ +"Title & Date" = "标题和日期"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "标题和摘要"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "分类目录名必填。"; +/* No comment provided by engineer. */ +"Title of track" = "音轨标题"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "标题、日期和摘要"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "向您的文章内添加照片或视频。"; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "要继续使用此 Google 帐户,请先使用您的 WordPress.com 密码登录。此要求只会出现一次。"; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "要显示评论,请输入评论ID。"; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "拍摄要在文章内使用的照片或视频。"; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "切换 HTML 来源"; +/* No comment provided by engineer. */ +"Toggle navigation" = "切换导航"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "切换显示一个大的首字母。"; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "切换有序的列表样式"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "总字数"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "音鬼可以是字幕、无障碍字幕、章节或描述。这些信息能有助于让更多用户无障碍的访问您的内容。"; + /* Title for the traffic section in site settings screen */ "Traffic" = "浏览量"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "将%s转换为"; - -/* No comment provided by engineer. */ -"Transform block…" = "转换区块…"; - /* No comment provided by engineer. */ "Translate" = "翻译"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter 用户名"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "两栏;栏宽相等"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "两栏;三分之一,三分之二"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "两栏;三分之二,三分之一"; + +/* No comment provided by engineer. */ +"Two." = "二、"; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "请输入关键字以获取更多想法"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "未命名的站点"; +/* No comment provided by engineer. */ +"Unordered" = "无序"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "无序列表"; /* Filters Unread Notifications */ "Unread" = "未读"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "未回复"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "未保存的更改"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "未命名"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "无标题模板组建"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "最多保存七天日志。"; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "上传媒体文件"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "上传文件,或从您的媒体库中选择。"; + /* Title of a Quick Start Tour */ "Upload a site icon" = "上传站点图标"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "上传图片或者从媒体库中选择一张图片作为您的站点徽标"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "上传失败"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "使用当前位置"; +/* No comment provided by engineer. */ +"Use URL" = "使用URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "使用区块编辑器"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "使用经典WordPress编辑器。"; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "使用此链接来邀请成员加入您的团队,而不必逐一邀请。任何访问此链接的人都能轻松加入到您的组织,即使他们是从别处收到的链接,因此请确保您与可信的人分享此链接。"; /* No comment provided by engineer. */ "Use this site" = "使用此站点"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "用于显示代表站点的图形标记、设计或符号。设置站点标志后,其就可以在不同的位置和模板中重复使用。不应将其与站点图标相混淆,后者是仪表盘、浏览器标签、公开搜索结果等中使用的小图像,用于识别站点。"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "请验证您的电子邮件地址(说明已发送至 %@)"; +/* No comment provided by engineer. */ +"Verse text" = "诗篇文字"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "版本"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "版本 %@ 已推出"; +/* No comment provided by engineer. */ +"Vertical" = "垂直"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "视频预览不可用"; +/* No comment provided by engineer. */ +"Video caption text" = "视频说明文字"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "视频说明。%s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "已取消视频导出。"; +/* No comment provided by engineer. */ +"Video settings" = "视频设置"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "视频,%@"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "查看者"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "视口高度(vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "易受攻击的主题:%1$@(版本%2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "噫吁嚱,危乎高哉!\n蜀道之难,难于上青天!\n蚕丛及鱼凫,开国何茫然!\n尔来四万八千岁,\n不与秦塞通人烟。\n西当太白有鸟道,\n可以横绝峨眉巅。"; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP 管理"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "欢迎使用阅读器"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "欢迎来到区块的多彩世界……"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "欢迎使用全球最热门的网站构建器。"; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "糟糕,双因素验证码无效。请仔细检查代码,然后重试!"; +/* No comment provided by engineer. */ +"Wide Line" = "宽线"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "小组件"; +/* No comment provided by engineer. */ +"Width in pixels" = "宽度(像素)"; + /* Help text when editing email address */ "Will not be publicly displayed." = "不会公开显示。"; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "有了这个功能强大的编辑器,您可以随时随地发表内容。"; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "在纽约市中央公园唱歌的木鸫。"; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress 应用程序设置"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "写回复…"; +/* No comment provided by engineer. */ +"Write code…" = "编写代码…"; + +/* No comment provided by engineer. */ +"Write file name…" = "编写文件名…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "编写画廊说明…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "编写预格式化文本…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "在此处写简码…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "填写站点标语…"; + +/* No comment provided by engineer. */ +"Write site title…" = "填写站点标题…"; + +/* No comment provided by engineer. */ +"Write title…" = "编写标题…"; + +/* No comment provided by engineer. */ +"Write verse…" = "填写诗篇…"; + /* Title for the writing section in site settings screen */ "Writing" = "撰写"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "在您使用 Safari 访问自己的站点时,站点地址显示在屏幕顶部的地址栏中。"; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "您的站点不支持“%s”区块。您可以原样保留此区块或移除此区块。"; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "您的站点不支持“%s”区块。您可以原样保留此区块,将内容转换为自定义HTML区块,或移除此区块。"; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "您的站点不支持这一区块。"; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "您的站点已创建!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "您现在正在使用区块编辑器发布新文章-太好了! 如果您想更改为经典编辑器,请转到“我的网站”>“网站设置”。"; +/* No comment provided by engineer. */ +"Zoom" = "缩放"; + /* Comment Attachment Label */ "[COMMENT]" = "[评论]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "一小时"; +/* No comment provided by engineer. */ +"archive" = "归档"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "音频"; +/* No comment provided by engineer. */ +"blockquote" = "块引用"; + +/* No comment provided by engineer. */ +"blog" = "博客"; + +/* No comment provided by engineer. */ +"bullet list" = "项目符号列表"; + /* Used when displaying author of a plugin. */ "by %@" = "作者:%@"; +/* No comment provided by engineer. */ +"cite" = "引用"; + /* The menu item to select during a guided tour. */ "connections" = "连接"; +/* No comment provided by engineer. */ +"container" = "容器"; + +/* No comment provided by engineer. */ +"description" = "描述"; + +/* No comment provided by engineer. */ +"divider" = "分隔符"; + +/* No comment provided by engineer. */ +"document" = "文档"; + /* No comment provided by engineer. */ "document outline" = "文档大纲"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "双击更改单位"; +/* No comment provided by engineer. */ +"download" = "下载"; + +/* No comment provided by engineer. */ +"ebook" = "电子书"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例如 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "例如 44"; +/* No comment provided by engineer. */ +"embed" = "嵌入"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "查找"; + /* Noun. Describes a site's follower. */ "follower" = "粉丝"; +/* No comment provided by engineer. */ +"form" = "小工具管理表单的HTML表示形式。"; + +/* No comment provided by engineer. */ +"horizontal-line" = "横线"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/我的站点 (URL)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "图像"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "画廊中第 %1$d\/%2$d 张图片"; + +/* No comment provided by engineer. */ +"images" = "图像"; + /* Text for related post cell preview */ "in \"Apps\"" = "在“应用程序”中"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "稍后再说"; +/* No comment provided by engineer. */ +"link" = "链接"; + +/* No comment provided by engineer. */ +"links" = "链接"; + +/* No comment provided by engineer. */ +"login" = "登录"; + +/* No comment provided by engineer. */ +"logout" = "注销登录"; + +/* No comment provided by engineer. */ +"menu" = "菜单"; + +/* No comment provided by engineer. */ +"movie" = "电影"; + +/* No comment provided by engineer. */ +"music" = "音乐"; + +/* No comment provided by engineer. */ +"navigation" = "导航"; + +/* No comment provided by engineer. */ +"next page" = "下一页"; + +/* No comment provided by engineer. */ +"numbered list" = "编号列表"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "\/"; +/* No comment provided by engineer. */ +"ordered list" = "有序列表"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "其他"; +/* No comment provided by engineer. */ +"pagination" = "分页"; + /* No comment provided by engineer. */ "password" = "密码"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "电话号码"; +/* No comment provided by engineer. */ +"photos" = "照片"; + +/* No comment provided by engineer. */ +"picture" = "照片"; + +/* No comment provided by engineer. */ +"podcast" = "播客"; + +/* No comment provided by engineer. */ +"poem" = "诗词"; + +/* No comment provided by engineer. */ +"poetry" = "诗歌"; + +/* No comment provided by engineer. */ +"post" = "文章"; + +/* No comment provided by engineer. */ +"posts" = "文章"; + +/* No comment provided by engineer. */ +"read more" = "继续阅读"; + +/* No comment provided by engineer. */ +"recent comments" = "最新评论"; + +/* No comment provided by engineer. */ +"recent posts" = "最新文章"; + +/* No comment provided by engineer. */ +"recording" = "录音"; + +/* No comment provided by engineer. */ +"row" = "行"; + +/* No comment provided by engineer. */ +"section" = "区段"; + +/* No comment provided by engineer. */ +"social" = "社交"; + +/* No comment provided by engineer. */ +"sound" = "音频"; + +/* No comment provided by engineer. */ +"subtitle" = "副标题"; + /* No comment provided by engineer. */ "summary" = "总结"; +/* No comment provided by engineer. */ +"survey" = "调查"; + +/* No comment provided by engineer. */ +"text" = "文本"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "即将删除以下项目:"; +/* No comment provided by engineer. */ +"title" = "标题"; + /* Today */ "today" = "今天"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog wordpress, 站点, 博客"; +/* No comment provided by engineer. */ +"wrapper" = "封装"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "您的新域 %@ 正在设置中。您的站点即将实现华丽变身!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "——小林一茶"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "•域"; diff --git a/WordPress/Resources/zh-Hant.lproj/Localizable.strings b/WordPress/Resources/zh-Hant.lproj/Localizable.strings index 34690f83d563..1d78f870b2ed 100644 --- a/WordPress/Resources/zh-Hant.lproj/Localizable.strings +++ b/WordPress/Resources/zh-Hant.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d 篇還沒看過的文章"; -/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ -"%1$s transformed to %2$s" = "%1$s 已轉換為 %2$s"; +/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ +"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s。%2$s 是 %3$s %4$s。"; @@ -193,15 +193,18 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 個字、%2$li 個字元"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"%s block options" = "%s 區塊選項"; - /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s 區塊空白"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s 區塊含有無效內容"; +/* translators: %s: Number of comments */ +"%s comment" = "%s comment"; + +/* translators: %s: name of the social service. */ +"%s label" = "%s label"; + /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "系統不完全支援「%s」"; @@ -228,6 +231,13 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ 地址第 %@ 行"; +/* No comment provided by engineer. */ +"- Select -" = "- Select -"; + +/* translators: Preserve \ + markers for line breaks */ +"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; + /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "已上傳 1 篇文章草稿"; @@ -249,33 +259,102 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "發現 1 個潛在威脅"; +/* No comment provided by engineer. */ +"100" = "100"; + /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; +/* No comment provided by engineer. */ +"10:16" = "10:16"; + +/* No comment provided by engineer. */ +"16:10" = "16:10"; + +/* No comment provided by engineer. */ +"16:9" = "16:9"; + +/* No comment provided by engineer. */ +"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; + +/* No comment provided by engineer. */ +"2:3" = "2:3"; + +/* No comment provided by engineer. */ +"30 \/ 70" = "30 \/ 70"; + +/* No comment provided by engineer. */ +"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; + +/* No comment provided by engineer. */ +"3:2" = "3:2"; + +/* No comment provided by engineer. */ +"3:4" = "3:4"; + /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; +/* No comment provided by engineer. */ +"4:3" = "4:3"; + /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; +/* No comment provided by engineer. */ +"50 \/ 50" = "50 \/ 50"; + +/* No comment provided by engineer. */ +"70 \/ 30" = "70 \/ 30"; + /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; +/* No comment provided by engineer. */ +"9:16" = "9:16"; + /* Age between dates less than one hour. */ "< 1 hour" = "不到 1 小時"; +/* No comment provided by engineer. */ +"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; + /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "一個「更多」按鈕包含顯示分享按鈕的下拉式選單"; +/* No comment provided by engineer. */ +"A calendar of your site’s posts." = "A calendar of your site’s posts."; + +/* No comment provided by engineer. */ +"A cloud of your most used tags." = "A cloud of your most used tags."; + +/* No comment provided by engineer. */ +"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; + /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "精選圖片已設定。點選即可變更。"; /* Title for a threat */ "A file contains a malicious code pattern" = "檔案包含惡意程式碼模式"; +/* No comment provided by engineer. */ +"A link to a category." = "類別連結。"; + +/* No comment provided by engineer. */ +"A link to a custom URL." = "A link to a custom URL."; + +/* No comment provided by engineer. */ +"A link to a page." = "網頁連結。"; + +/* No comment provided by engineer. */ +"A link to a post." = "文章連結。"; + +/* No comment provided by engineer. */ +"A link to a tag." = "標籤連結。"; + /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "此帳號的網站清單。"; @@ -288,6 +367,9 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "提供一系列步驟,協助你拓展觀眾群。"; +/* No comment provided by engineer. */ +"A single column within a columns block." = "A single column within a columns block."; + /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "已有名稱為「%@」的標籤。"; @@ -321,7 +403,8 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "地址"; -/* About this app (information page title) */ +/* About this app (information page title) + translators: 'About' as in a website's about page. */ "About" = " 關於"; /* Link to About screen for Jetpack for iOS */ @@ -407,6 +490,9 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "新增統計資料卡片"; +/* No comment provided by engineer. */ +"Add Template" = "Add Template"; + /* No comment provided by engineer. */ "Add To Beginning" = "新增至「開始」"; @@ -428,9 +514,21 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "新增主題"; +/* No comment provided by engineer. */ +"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; + +/* No comment provided by engineer. */ +"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; + /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "在此新增要在讀取器中載入的自訂 CSS URL。 若你在本機執行 Calypso,可能會看到類似以下格式的 URL:http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; +/* No comment provided by engineer. */ +"Add a link to a downloadable file." = "Add a link to a downloadable file."; + +/* No comment provided by engineer. */ +"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; + /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "新增一個自助託管網站"; @@ -449,9 +547,21 @@ /* No comment provided by engineer. */ "Add alt text" = "新增替代文字"; +/* No comment provided by engineer. */ +"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; + /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "新增任何主題"; +/* No comment provided by engineer. */ +"Add caption" = "Add caption"; + +/* translators: placeholder text used for the citation */ +"Add citation" = "Add citation"; + +/* No comment provided by engineer. */ +"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; + /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "新增圖片或大頭貼來代表這個新帳號。"; @@ -479,6 +589,9 @@ /* No comment provided by engineer. */ "Add paragraph block" = "新增段落區塊"; +/* translators: placeholder text used for the quote */ +"Add quote" = "Add quote"; + /* Add self-hosted site button */ "Add self-hosted site" = "新增自助託管網站"; @@ -489,6 +602,18 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "新增標籤"; +/* No comment provided by engineer. */ +"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; + +/* No comment provided by engineer. */ +"Add text…" = "Add text…"; + +/* No comment provided by engineer. */ +"Add the author of this post." = "Add the author of this post."; + +/* No comment provided by engineer. */ +"Add the date of this post." = "Add the date of this post."; + /* No comment provided by engineer. */ "Add this email link" = "新增此電子郵件連結"; @@ -498,6 +623,12 @@ /* No comment provided by engineer. */ "Add this telephone link" = "新增此電話連結"; +/* No comment provided by engineer. */ +"Add tracks" = "Add tracks"; + +/* No comment provided by engineer. */ +"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; + /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "新增網站功能"; @@ -520,6 +651,15 @@ /* Description of albums in the photo libraries */ "Albums" = "相簿"; +/* No comment provided by engineer. */ +"Align column center" = "Align column center"; + +/* No comment provided by engineer. */ +"Align column left" = "Align column left"; + +/* No comment provided by engineer. */ +"Align column right" = "Align column right"; + /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "對齊"; @@ -646,6 +786,9 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "發生錯誤。"; +/* No comment provided by engineer. */ +"An example title" = "An example title"; + /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "發生不明的錯誤。請再試一次。"; @@ -685,6 +828,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "核准留言。"; +/* No comment provided by engineer. */ +"Archive Title" = "Archive Title"; + +/* No comment provided by engineer. */ +"Archive title" = "Archive title"; + +/* No comment provided by engineer. */ +"Archives settings" = "Archives settings"; + /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "確定要取消並捨棄變更?"; @@ -758,24 +910,39 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "是否確定要更新?"; +/* No comment provided by engineer. */ +"Area" = "Area"; + /* An example tag used in the login prologue screens. */ "Art" = "藝術"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Facebook 自 2018 年 8 月 1 日起將禁止直接將文章分享至 Facebook 個人檔案。與 Facebook 粉絲專頁的連結將不受影響。"; +/* No comment provided by engineer. */ +"Aspect Ratio" = "Aspect Ratio"; + /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "附加檔案連結"; +/* No comment provided by engineer. */ +"Attachment page" = "Attachment page"; + /* No comment provided by engineer. */ "Audio Player" = "音樂播放器"; +/* No comment provided by engineer. */ +"Audio caption text" = "Audio caption text"; + /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "音訊字幕。 %s"; /* translators: accessibility text. Empty Audio caption. */ "Audio caption. Empty" = "音訊字幕。 清空"; +/* No comment provided by engineer. */ +"Audio settings" = "Audio settings"; + /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "音訊,%@"; @@ -799,6 +966,9 @@ Period Stats 'Authors' header */ "Authors" = "作者"; +/* No comment provided by engineer. */ +"Auto" = "Auto"; + /* Describes a status of a plugin */ "Auto-managed" = "自動管理"; @@ -824,6 +994,9 @@ /* Description of a Quick Start Tour */ "Automatically share new posts to your social media accounts." = "自動將新文章分享到社交媒體帳號。"; +/* No comment provided by engineer. */ +"Autoplay" = "Autoplay"; + /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "自動更新"; @@ -904,30 +1077,18 @@ Discoverability title for block quote keyboard shortcut. */ "Block Quote" = "封鎖引文"; -/* translators: displayed right after the block is copied. */ -"Block copied" = "已複製區塊"; - -/* translators: displayed right after the block is cut. */ -"Block cut" = "已剪下區塊"; - -/* translators: displayed right after the block is duplicated. */ -"Block duplicated" = "已重複區塊"; +/* No comment provided by engineer. */ +"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "已啟用區塊編輯器"; +/* No comment provided by engineer. */ +"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; + /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "封鎖惡意的登入嘗試"; -/* translators: displayed right after the block is pasted. */ -"Block pasted" = "已貼上區塊"; - -/* translators: displayed right after the block is removed. */ -"Block removed" = "已移除區塊"; - -/* No comment provided by engineer. */ -"Block settings" = "區塊設定"; - /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -957,16 +1118,34 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "網誌的瀏覽者"; +/* No comment provided by engineer. */ +"Body cell text" = "Body cell text"; + /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "粗體"; +/* No comment provided by engineer. */ +"Border" = "Border"; + /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "將留言串分為數頁。"; +/* No comment provided by engineer. */ +"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; + /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "瀏覽所有佈景主題,尋找最適合你的一個。"; +/* No comment provided by engineer. */ +"Browse all templates" = "Browse all templates"; + +/* No comment provided by engineer. */ +"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; + +/* No comment provided by engineer. */ +"Browser default" = "Browser default"; + /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "蠻力攻擊防護"; @@ -980,7 +1159,10 @@ "Button Style" = "按鈕樣式"; /* No comment provided by engineer. */ -"ButtonGroup" = "ButtonGroup"; +"Buttons shown in a column." = "Buttons shown in a column."; + +/* No comment provided by engineer. */ +"Buttons shown in a row." = "Buttons shown in a row."; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1010,6 +1192,9 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "正在計算…"; +/* No comment provided by engineer. */ +"Call to Action" = "Call to Action"; + /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "相機"; @@ -1103,6 +1288,9 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "說明文字"; +/* No comment provided by engineer. */ +"Captions" = "Captions"; + /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "請小心!"; @@ -1118,6 +1306,9 @@ Menu item label for linking a specific category. */ "Category" = "分類"; +/* No comment provided by engineer. */ +"Category Link" = "類別連結"; + /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "分類標題遺失。"; @@ -1127,6 +1318,9 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "憑證錯誤"; +/* No comment provided by engineer. */ +"Change Date" = "Change Date"; + /* Account Settings Change password label Main title */ "Change Password" = "變更密碼"; @@ -1146,9 +1340,15 @@ /* No comment provided by engineer. */ "Change block position" = "變更區塊位置"; +/* No comment provided by engineer. */ +"Change column alignment" = "Change column alignment"; + /* Message to show when Publicize globally shared setting failed */ "Change failed" = "變更失敗"; +/* No comment provided by engineer. */ +"Change heading level" = "Change heading level"; + /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "變更用於預覽的裝置類型"; @@ -1174,6 +1374,9 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "正在變更使用者名稱"; +/* No comment provided by engineer. */ +"Chapters" = "Chapters"; + /* Title of alert when getting purchases fails */ "Check Purchases Error" = "確認購買項目發生錯誤"; @@ -1247,6 +1450,9 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "選擇網域"; +/* No comment provided by engineer. */ +"Choose existing" = "Choose existing"; + /* No comment provided by engineer. */ "Choose file" = "選擇檔案"; @@ -1307,6 +1513,9 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "是否清除所有舊活動記錄?"; +/* No comment provided by engineer. */ +"Clear customizations" = "Clear customizations"; + /* No comment provided by engineer. */ "Clear search" = "清除搜尋"; @@ -1340,12 +1549,24 @@ /* Close Comments Title */ "Close commenting" = "關閉留言功能"; +/* No comment provided by engineer. */ +"Close global styles sidebar" = "Close global styles sidebar"; + +/* No comment provided by engineer. */ +"Close list view sidebar" = "Close list view sidebar"; + +/* No comment provided by engineer. */ +"Close settings sidebar" = "Close settings sidebar"; + /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "關閉「我」畫面"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "程式碼"; +/* No comment provided by engineer. */ +"Code is Poetry" = "Code is Poetry"; + /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "已折疊,%i 件已完成的工作,切換以展開這些工作的清單"; @@ -1361,6 +1582,21 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "彩色背景"; +/* translators: %d: column index (starting with 1) */ +"Column %d text" = "Column %d text"; + +/* No comment provided by engineer. */ +"Column count" = "Column count"; + +/* No comment provided by engineer. */ +"Column settings" = "Column settings"; + +/* No comment provided by engineer. */ +"Columns" = "Columns"; + +/* No comment provided by engineer. */ +"Combine blocks into a group." = "Combine blocks into a group."; + /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "結合相片、視訊和文字,建立吸睛又可點按的限時動態,你的訪客一定會喜歡。"; @@ -1540,6 +1776,9 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "連結"; +/* translators: 'Contact' as in a website's contact page. */ +"Contact" = "聯絡"; + /* Support email label. */ "Contact Email" = "聯絡電子郵件"; @@ -1555,12 +1794,18 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "聯絡支援團隊"; +/* No comment provided by engineer. */ +"Contact us" = "Contact us"; + /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "透過 %@ 聯絡我們"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "內容結構\n區塊:%1$li、文字:%2$li、字元:%3$li"; +/* No comment provided by engineer. */ +"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; + /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1568,6 +1813,9 @@ Title for the continue button in the What's New page. */ "Continue" = "繼續"; +/* Button title. Takes the user to the login with WordPress.com flow. */ +"Continue With WordPress.com" = "Continue With WordPress.com"; + /* Menus alert button title to continue making changes. */ "Continue Working" = "繼續操作"; @@ -1586,9 +1834,21 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "繼續使用 Apple"; +/* No comment provided by engineer. */ +"Convert to blocks" = "轉換為區塊"; + +/* No comment provided by engineer. */ +"Convert to ordered list" = "Convert to ordered list"; + +/* No comment provided by engineer. */ +"Convert to unordered list" = "Convert to unordered list"; + /* An example tag used in the login prologue screens. */ "Cooking" = "烹飪"; +/* No comment provided by engineer. */ +"Copied URL to clipboard." = "Copied URL to clipboard."; + /* No comment provided by engineer. */ "Copied block" = "複製的區塊"; @@ -1596,7 +1856,7 @@ "Copy Link to Comment" = "將連結複製到留言"; /* No comment provided by engineer. */ -"Copy block" = "複製區塊"; +"Copy URL" = "Copy URL"; /* No comment provided by engineer. */ "Copy file URL" = "複製檔案 URL"; @@ -1619,6 +1879,9 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "無法確認網站購買項目。"; +/* translators: 1. Error message */ +"Could not edit image. %s" = "Could not edit image. %s"; + /* Title of a prompt. */ "Could not follow site" = "無法關注網站"; @@ -1732,6 +1995,9 @@ /* Stories intro continue button title */ "Create Story Post" = "建立限時動態文章"; +/* No comment provided by engineer. */ +"Create Table" = "Create Table"; + /* Create WordPress.com site button */ "Create WordPress.com site" = "建立 WordPress.com 網站"; @@ -1741,18 +2007,33 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "建立標籤"; +/* No comment provided by engineer. */ +"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; + +/* No comment provided by engineer. */ +"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; + /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "建立一個新網站"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "為你的商務版、雜誌或個人網誌建立新網站;或連結既有的 WordPress 安裝。"; +/* No comment provided by engineer. */ +"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; + /* Accessibility hint for create floating action button */ "Create a post or page" = "建立文章或頁面"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "建立文章、頁面或限時動態"; +/* No comment provided by engineer. */ +"Create a template part" = "Create a template part"; + +/* No comment provided by engineer. */ +"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; + /* Label that describes the download backup action */ "Create downloadable backup" = "建立可下載的備份"; @@ -1810,6 +2091,9 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "目前正在還原:%1$@"; +/* No comment provided by engineer. */ +"Custom Link" = "Custom Link"; + /* Placeholder for Invite People message field. */ "Custom message…" = "自訂訊息…"; @@ -1839,9 +2123,6 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "自訂按讚、留言、關注等功能的網站設定。"; -/* No comment provided by engineer. */ -"Cut block" = "剪下區塊"; - /* Title for the app appearance setting for dark mode */ "Dark" = "深色系"; @@ -1880,6 +2161,9 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017 年 12 月 17 日"; +/* No comment provided by engineer. */ +"December 6, 2018" = "December 6, 2018"; + /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "預設"; @@ -1898,6 +2182,9 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "預設 URL"; +/* translators: %s: HTML tag based on area. */ +"Default based on area (%s)" = "Default based on area (%s)"; + /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "新文章預設值"; @@ -1931,9 +2218,15 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "刪除網站錯誤"; +/* No comment provided by engineer. */ +"Delete column" = "Delete column"; + /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "刪除選單"; +/* No comment provided by engineer. */ +"Delete row" = "Delete row"; + /* Delete Tag confirmation action title */ "Delete this tag" = "刪除此標籤"; @@ -1957,12 +2250,18 @@ Title of section that contains plugins' description */ "Description" = "敘述"; +/* No comment provided by engineer. */ +"Descriptions" = "Descriptions"; + /* Shortened version of the main title to be used in back navigation */ "Design" = "設計"; /* Title for the desktop web preview */ "Desktop" = "桌上型電腦"; +/* No comment provided by engineer. */ +"Detach blocks from template part" = "Detach blocks from template part"; + /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "詳細資料"; @@ -2055,50 +2354,179 @@ User's Display Name */ "Display Name" = "顯示名稱"; -/* Unconfigured stats all-time widget helper text */ -"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "在此顯示你的全時段網站統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; +/* No comment provided by engineer. */ +"Display a legacy widget." = "Display a legacy widget."; -/* Unconfigured stats this week widget helper text */ -"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "在此處顯示本週網站統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; +/* No comment provided by engineer. */ +"Display a list of all categories." = "Display a list of all categories."; -/* Unconfigured stats today widget helper text */ -"Display your site stats for today here. Configure in the WordPress app in your site stats." = "在此處顯示網站今日的統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; +/* No comment provided by engineer. */ +"Display a list of all pages." = "Display a list of all pages."; -/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ -"Document: %@" = "文件:%@"; +/* No comment provided by engineer. */ +"Display a list of your most recent comments." = "Display a list of your most recent comments."; -/* Register Domain - Domain contact information section header title */ -"Domain contact information" = "網域聯絡人資訊"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; -/* Register Domain - Privacy Protection section header description */ -"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "網域擁有者必須在所有網域的公共資料庫中分享自己的聯絡資訊。基於隱私權保護,我們只會發佈自己的資訊而非你的資訊,並會將所有通訊內容私密轉寄給你。"; +/* No comment provided by engineer. */ +"Display a list of your most recent posts." = "Display a list of your most recent posts."; -/* Title for the Domains list */ -"Domains" = "網域"; +/* No comment provided by engineer. */ +"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; -/* Label for button to log in using your site address. The underscores _..._ denote underline */ -"Don't have an account? _Sign up_" = "還沒有帳號?_註冊_"; +/* No comment provided by engineer. */ +"Display a post's categories." = "Display a post's categories."; -/* A button title - Accessibility label for the Done button in the Me screen. - Button text on site creation epilogue page to proceed to My Sites. - Done button title - Done editing an image - Label for confirm feature image of a post - Label for confirm location of a post - Label for Done button - Label on button to dismiss revisions view - Menu button title for finishing editing the Menu name. - Reader select interests next button enabled title text - Tapping a button with this label allows the user to exit the Site Creation flow - Text displayed by the right navigation button title - Title for button that will dismiss this view - Title for the button that will dismiss this view. - Title of the Done button on the me page */ -"Done" = "完成"; +/* No comment provided by engineer. */ +"Display a post's comments count." = "Display a post's comments count."; -/* Title for label when there are no threats on the users site */ -"Don’t worry about a thing" = "不必擔心"; +/* No comment provided by engineer. */ +"Display a post's comments form." = "Display a post's comments form."; + +/* No comment provided by engineer. */ +"Display a post's comments." = "Display a post's comments."; + +/* No comment provided by engineer. */ +"Display a post's excerpt." = "Display a post's excerpt."; + +/* No comment provided by engineer. */ +"Display a post's featured image." = "Display a post's featured image."; + +/* No comment provided by engineer. */ +"Display a post's tags." = "Display a post's tags."; + +/* No comment provided by engineer. */ +"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; + +/* No comment provided by engineer. */ +"Display as dropdown" = "Display as dropdown"; + +/* No comment provided by engineer. */ +"Display author" = "Display author"; + +/* No comment provided by engineer. */ +"Display avatar" = "Display avatar"; + +/* No comment provided by engineer. */ +"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; + +/* No comment provided by engineer. */ +"Display date" = "Display date"; + +/* No comment provided by engineer. */ +"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; + +/* No comment provided by engineer. */ +"Display excerpt" = "Display excerpt"; + +/* No comment provided by engineer. */ +"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; + +/* No comment provided by engineer. */ +"Display login as form" = "Display login as form"; + +/* No comment provided by engineer. */ +"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; + +/* No comment provided by engineer. */ +"Display post date" = "Display post date"; + +/* No comment provided by engineer. */ +"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; + +/* No comment provided by engineer. */ +"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; + +/* No comment provided by engineer. */ +"Display the query title." = "Display the query title."; + +/* No comment provided by engineer. */ +"Display the title as a link" = "Display the title as a link"; + +/* Unconfigured stats all-time widget helper text */ +"Display your all-time site stats here. Configure in the WordPress app in your site stats." = "在此顯示你的全時段網站統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; + +/* Unconfigured stats this week widget helper text */ +"Display your site stats for this week here. Configure in the WordPress app in your site stats." = "在此處顯示本週網站統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; + +/* Unconfigured stats today widget helper text */ +"Display your site stats for today here. Configure in the WordPress app in your site stats." = "在此處顯示網站今日的統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; + +/* No comment provided by engineer. */ +"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; + +/* No comment provided by engineer. */ +"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; + +/* No comment provided by engineer. */ +"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; + +/* No comment provided by engineer. */ +"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; + +/* No comment provided by engineer. */ +"Displays the contents of a post or page." = "Displays the contents of a post or page."; + +/* No comment provided by engineer. */ +"Displays the link to the current post comments." = "Displays the link to the current post comments."; + +/* No comment provided by engineer. */ +"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; + +/* No comment provided by engineer. */ +"Displays the next posts page link." = "Displays the next posts page link."; + +/* No comment provided by engineer. */ +"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; + +/* No comment provided by engineer. */ +"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; + +/* No comment provided by engineer. */ +"Displays the previous posts page link." = "Displays the previous posts page link."; + +/* No comment provided by engineer. */ +"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; + +/* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ +"Document: %@" = "文件:%@"; + +/* Register Domain - Domain contact information section header title */ +"Domain contact information" = "網域聯絡人資訊"; + +/* Register Domain - Privacy Protection section header description */ +"Domain owners have to share contact information in a public database of all domains. With Privacy Protection, we publish our own information instead of yours and privately forward any communication to you." = "網域擁有者必須在所有網域的公共資料庫中分享自己的聯絡資訊。基於隱私權保護,我們只會發佈自己的資訊而非你的資訊,並會將所有通訊內容私密轉寄給你。"; + +/* Title for the Domains list */ +"Domains" = "網域"; + +/* Label for button to log in using your site address. The underscores _..._ denote underline */ +"Don't have an account? _Sign up_" = "還沒有帳號?_註冊_"; + +/* A button title + Accessibility label for the Done button in the Me screen. + Button text on site creation epilogue page to proceed to My Sites. + Done button title + Done editing an image + Label for confirm feature image of a post + Label for confirm location of a post + Label for Done button + Label on button to dismiss revisions view + Menu button title for finishing editing the Menu name. + Reader select interests next button enabled title text + Tapping a button with this label allows the user to exit the Site Creation flow + Text displayed by the right navigation button title + Title for button that will dismiss this view + Title for the button that will dismiss this view. + Title of the Done button on the me page */ +"Done" = "完成"; + +/* Title for label when there are no threats on the users site */ +"Don’t worry about a thing" = "不必擔心"; + +/* No comment provided by engineer. */ +"Dots" = "Dots"; /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "點兩下並按住即可上下移動此選單項目"; @@ -2133,15 +2561,9 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "點兩下開啟動作工作表,然後編輯、取代或清除圖片"; -/* No comment provided by engineer. */ -"Double tap to open Action Sheet with available options" = "按兩下以開啟含有可用選項的操作工作表"; - /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "點兩下開啟底部工作表,然後編輯、取代或清除圖片"; -/* No comment provided by engineer. */ -"Double tap to open Bottom Sheet with available options" = "按兩下以開啟含有可用選項的底部工作表"; - /* No comment provided by engineer. */ "Double tap to redo last change" = "按兩次即可取消復原上次變更"; @@ -2176,9 +2598,18 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "下載備份"; +/* No comment provided by engineer. */ +"Download button settings" = "Download button settings"; + +/* No comment provided by engineer. */ +"Download button text" = "Download button text"; + /* Title for the button that will download the backup file. */ "Download file" = "下載檔案"; +/* No comment provided by engineer. */ +"Download your templates and template parts." = "Download your templates and template parts."; + /* Label for number of file downloads. */ "Downloads" = "下載"; @@ -2189,12 +2620,15 @@ Title of the drafts header in search list. */ "Drafts" = "草稿"; +/* No comment provided by engineer. */ +"Drop cap" = "Drop cap"; + /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "複製"; -/* No comment provided by engineer. */ -"Duplicate block" = "重複區塊"; +/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ +"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "東"; @@ -2217,6 +2651,9 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "編輯 %@ 區塊"; +/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ +"Edit %s" = "Edit %s"; + /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "編輯封鎖清單字詞"; @@ -2234,21 +2671,39 @@ Opens the editor to edit an existing post. */ "Edit Post" = "編輯文章"; +/* No comment provided by engineer. */ +"Edit RSS URL" = "Edit RSS URL"; + +/* No comment provided by engineer. */ +"Edit URL" = "Edit URL"; + /* No comment provided by engineer. */ "Edit file" = "編輯檔案"; /* No comment provided by engineer. */ "Edit focal point" = "編輯焦點"; +/* No comment provided by engineer. */ +"Edit gallery image" = "Edit gallery image"; + +/* No comment provided by engineer. */ +"Edit image" = "Edit image"; + /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "使用區塊編輯器編輯新文章和頁面。"; /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "編輯分享按鈕"; +/* No comment provided by engineer. */ +"Edit table" = "Edit table"; + /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "首先編輯文章"; +/* No comment provided by engineer. */ +"Edit track" = "Edit track"; + /* No comment provided by engineer. */ "Edit using web editor" = "使用網頁編輯器編輯"; @@ -2305,6 +2760,123 @@ /* Overlay message displayed when export content started */ "Email sent!" = "已傳送電子郵件!"; +/* No comment provided by engineer. */ +"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; + +/* No comment provided by engineer. */ +"Embed Cloudup content." = "Embed Cloudup content."; + +/* No comment provided by engineer. */ +"Embed CollegeHumor content." = "Embed CollegeHumor content."; + +/* No comment provided by engineer. */ +"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; + +/* No comment provided by engineer. */ +"Embed Flickr content." = "Embed Flickr content."; + +/* No comment provided by engineer. */ +"Embed Imgur content." = "Embed Imgur content."; + +/* No comment provided by engineer. */ +"Embed Issuu content." = "Embed Issuu content."; + +/* No comment provided by engineer. */ +"Embed Kickstarter content." = "Embed Kickstarter content."; + +/* No comment provided by engineer. */ +"Embed Meetup.com content." = "Embed Meetup.com content."; + +/* No comment provided by engineer. */ +"Embed Mixcloud content." = "Embed Mixcloud content."; + +/* No comment provided by engineer. */ +"Embed ReverbNation content." = "Embed ReverbNation content."; + +/* No comment provided by engineer. */ +"Embed Screencast content." = "Embed Screencast content."; + +/* No comment provided by engineer. */ +"Embed Scribd content." = "Embed Scribd content."; + +/* No comment provided by engineer. */ +"Embed Slideshare content." = "Embed Slideshare content."; + +/* No comment provided by engineer. */ +"Embed SmugMug content." = "Embed SmugMug content."; + +/* No comment provided by engineer. */ +"Embed SoundCloud content." = "Embed SoundCloud content."; + +/* No comment provided by engineer. */ +"Embed Speaker Deck content." = "Embed Speaker Deck content."; + +/* No comment provided by engineer. */ +"Embed Spotify content." = "Embed Spotify content."; + +/* No comment provided by engineer. */ +"Embed a Dailymotion video." = "Embed a Dailymotion video."; + +/* No comment provided by engineer. */ +"Embed a Facebook post." = "Embed a Facebook post."; + +/* No comment provided by engineer. */ +"Embed a Reddit thread." = "Embed a Reddit thread."; + +/* No comment provided by engineer. */ +"Embed a TED video." = "Embed a TED video."; + +/* No comment provided by engineer. */ +"Embed a TikTok video." = "Embed a TikTok video."; + +/* No comment provided by engineer. */ +"Embed a Tumblr post." = "Embed a Tumblr post."; + +/* No comment provided by engineer. */ +"Embed a VideoPress video." = "Embed a VideoPress video."; + +/* No comment provided by engineer. */ +"Embed a Vimeo video." = "Embed a Vimeo video."; + +/* No comment provided by engineer. */ +"Embed a WordPress post." = "Embed a WordPress post."; + +/* No comment provided by engineer. */ +"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; + +/* No comment provided by engineer. */ +"Embed a YouTube video." = "Embed a YouTube video."; + +/* No comment provided by engineer. */ +"Embed a simple audio player." = "Embed a simple audio player."; + +/* No comment provided by engineer. */ +"Embed a tweet." = "Embed a tweet."; + +/* No comment provided by engineer. */ +"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; + +/* No comment provided by engineer. */ +"Embed an Animoto video." = "Embed an Animoto video."; + +/* No comment provided by engineer. */ +"Embed an Instagram post." = "Embed an Instagram post."; + +/* translators: %s: filename. */ +"Embed of %s." = "Embed of %s."; + +/* No comment provided by engineer. */ +"Embed of the selected PDF file." = "Embed of the selected PDF file."; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s" = "Embedded content from %s"; + +/* translators: %s: host providing embed content e.g: www.youtube.com */ +"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; + +/* No comment provided by engineer. */ +"Embedding…" = "Embedding…"; + /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "清空"; @@ -2312,6 +2884,9 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "空的網址"; +/* No comment provided by engineer. */ +"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; + /* Button title for the enable site notifications action. */ "Enable" = "啓用"; @@ -2333,9 +2908,18 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "結束日期"; +/* No comment provided by engineer. */ +"English" = "English"; + /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "進入全螢幕"; +/* No comment provided by engineer. */ +"Enter URL here…" = "Enter URL here…"; + +/* No comment provided by engineer. */ +"Enter URL to embed here…" = "Enter URL to embed here…"; + /* Enter a custom value */ "Enter a custom value" = "輸入自訂值"; @@ -2345,6 +2929,9 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "輸入密碼保護這篇文章"; +/* No comment provided by engineer. */ +"Enter address" = "Enter address"; + /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "請在上方輸入其他文字,我們會尋找與其相符的地址。"; @@ -2381,6 +2968,12 @@ /* Error message displayed when restoring a site fails due to credentials not being configured. */ "Enter your server credentials to enable one click site restores from backups." = "輸入你的伺服器憑證,啟用從備份一鍵還原網站的功能。"; +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; + +/* Title for button when a site is missing server credentials */ +"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; + /* Generic error alert title Generic error. Generic popup title for any type of error. */ @@ -2471,6 +3064,9 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "更新加速網站設定時發生錯誤"; +/* translators: example text. */ +"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; + /* Title for the activity detail view */ "Event" = "活動"; @@ -2526,6 +3122,9 @@ /* Title of a Quick Start Tour */ "Explore plans" = "探索各種方案"; +/* No comment provided by engineer. */ +"Export" = "Export"; + /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "匯出內容"; @@ -2598,6 +3197,9 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "精選圖片未載入"; +/* No comment provided by engineer. */ +"February 21, 2019" = "February 21, 2019"; + /* Text displayed while fetching themes */ "Fetching Themes..." = "正在擷取佈景主題..."; @@ -2636,6 +3238,9 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "檔案類型"; +/* No comment provided by engineer. */ +"Fill" = "Fill"; + /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "使用密碼管理員填寫"; @@ -2665,6 +3270,9 @@ User's First Name */ "First Name" = "名字"; +/* No comment provided by engineer. */ +"Five." = "Five."; + /* Button title that attempts to fix all fixable threats */ "Fix All" = "全部修復"; @@ -2677,6 +3285,9 @@ /* Displays the fixed threats */ "Fixed" = "固定"; +/* No comment provided by engineer. */ +"Fixed width table cells" = "Fixed width table cells"; + /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "正在修正威脅"; @@ -2756,12 +3367,30 @@ /* An example tag used in the login prologue screens. */ "Football" = "橄欖球"; +/* No comment provided by engineer. */ +"Footer cell text" = "Footer cell text"; + +/* No comment provided by engineer. */ +"Footer label" = "Footer label"; + +/* No comment provided by engineer. */ +"Footer section" = "Footer section"; + +/* No comment provided by engineer. */ +"Footers" = "Footers"; + /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "為了方便起見,我們已預先填入你的 WordPress.com 聯絡人資訊。請檢視各項資訊,以確認這是你想要用於此網域的正確資訊。"; +/* No comment provided by engineer. */ +"Format settings" = "Format settings"; + /* Next web page */ "Forward" = "轉寄"; +/* No comment provided by engineer. */ +"Four." = "Four."; + /* Browse free themes selection title */ "Free" = "免費"; @@ -2789,6 +3418,9 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; +/* No comment provided by engineer. */ +"Gallery caption text" = "Gallery caption text"; + /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "圖庫標題。%s"; @@ -2832,15 +3464,27 @@ /* Description of a Quick Start Tour */ "Get your site up and running" = "讓你的網站上線運作"; +/* Example post title used in the login prologue screens. */ +"Getting Inspired" = "Getting Inspired"; + /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "取得帳號資訊"; /* Cancel */ "Give Up" = "放棄"; +/* No comment provided by engineer. */ +"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; + +/* No comment provided by engineer. */ +"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; + /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "為網站取一個能反映出自我風格和主題的名稱。 第一印象很重要!"; +/* No comment provided by engineer. */ +"Global Styles" = "Global Styles"; + /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -2913,6 +3557,9 @@ /* Post HTML content */ "HTML Content" = "HTML 內容"; +/* No comment provided by engineer. */ +"HTML element" = "HTML element"; + /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "標題 1"; @@ -2931,6 +3578,24 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "標題 6"; +/* No comment provided by engineer. */ +"Header cell text" = "Header cell text"; + +/* No comment provided by engineer. */ +"Header label" = "Header label"; + +/* No comment provided by engineer. */ +"Header section" = "Header section"; + +/* No comment provided by engineer. */ +"Headers" = "Headers"; + +/* No comment provided by engineer. */ +"Heading" = "Heading"; + +/* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ +"Heading %d" = "Heading %d"; + /* H1 Aztec Style */ "Heading 1" = "標題 1"; @@ -2949,6 +3614,12 @@ /* H6 Aztec Style */ "Heading 6" = "標題 6"; +/* No comment provided by engineer. */ +"Heading text" = "Heading text"; + +/* No comment provided by engineer. */ +"Height in pixels" = "Height in pixels"; + /* Help button */ "Help" = "幫助"; @@ -2962,6 +3633,9 @@ /* No comment provided by engineer. */ "Help icon" = "說明圖示"; +/* No comment provided by engineer. */ +"Help visitors find your content." = "Help visitors find your content."; + /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "文章截至目前為止獲得的迴響如下。"; @@ -2982,6 +3656,9 @@ /* No comment provided by engineer. */ "Hide keyboard" = "隱藏鍵盤"; +/* No comment provided by engineer. */ +"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; + /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -2997,6 +3674,9 @@ Settings: Comments Moderation */ "Hold for Moderation" = "等待審核"; +/* translators: 'Home' as in a website's home page. */ +"Home" = "Home"; + /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3013,6 +3693,9 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; +/* No comment provided by engineer. */ +"Horizontal" = "Horizontal"; + /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jetpack 如何修復問題?"; @@ -3025,6 +3708,9 @@ /* This is one of the buttons we display inside of the prompt to review the app */ "I Like It" = "我喜歡"; +/* Example post content used in the login prologue screens. */ +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; + /* Title of a button style */ "Icon & Text" = "圖示與文字"; @@ -3040,6 +3726,9 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "如果你繼續使用 Apple 或 Google 操作且尚未擁有 WordPress.com 帳號,即表示你正在建立帳號,並同意我們的_服務條款_。"; +/* No comment provided by engineer. */ +"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; + /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "若移除 %1$@,該使用者將無法再存取此網站,但 %2$@ 建立的所有內容仍會保留在網站上。"; @@ -3079,15 +3768,27 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "圖片大小"; +/* No comment provided by engineer. */ +"Image caption text" = "Image caption text"; + /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "圖片說明。%s"; +/* No comment provided by engineer. */ +"Image settings" = "Image settings"; + /* Hint for image title on image settings. */ "Image title" = "圖片標題"; +/* No comment provided by engineer. */ +"Image width" = "圖片寬度"; + /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "圖片 (%@ 建立)"; +/* No comment provided by engineer. */ +"Image, Date, & Title" = "Image, Date, & Title"; + /* Undated post time label */ "Immediately" = "立即"; @@ -3097,6 +3798,15 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "請用簡單幾字描述此網站的內容。"; +/* No comment provided by engineer. */ +"In a few words, what this site is about." = "In a few words, what this site is about."; + +/* No comment provided by engineer. */ +"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; + +/* No comment provided by engineer. */ +"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; + /* Describes a status of a plugin */ "Inactive" = "未啟用"; @@ -3115,6 +3825,12 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "錯誤的使用者名稱或密碼。請再次嘗試輸入你的登入詳細資料。"; +/* No comment provided by engineer. */ +"Indent" = "Indent"; + +/* No comment provided by engineer. */ +"Indent list item" = "Indent list item"; + /* Title for a threat */ "Infected core file" = "受感染的核心檔案"; @@ -3146,9 +3862,36 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "插入媒體"; +/* No comment provided by engineer. */ +"Insert a table for sharing data." = "Insert a table for sharing data."; + +/* No comment provided by engineer. */ +"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; + +/* No comment provided by engineer. */ +"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; + +/* No comment provided by engineer. */ +"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; + +/* No comment provided by engineer. */ +"Insert column after" = "Insert column after"; + +/* No comment provided by engineer. */ +"Insert column before" = "Insert column before"; + /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "插入媒體"; +/* No comment provided by engineer. */ +"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; + +/* No comment provided by engineer. */ +"Insert row after" = "Insert row after"; + +/* No comment provided by engineer. */ +"Insert row before" = "Insert row before"; + /* Default accessibility label for the media picker insert button. */ "Insert selected" = "插入選取的項目"; @@ -3185,6 +3928,9 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "在你的網站上安裝第一個外掛程式,可能需要 1 分鐘的時間。在此期間,你無法對你的網站進行任何變更。"; +/* No comment provided by engineer. */ +"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; + /* Stories intro header title */ "Introducing Story Posts" = "限時動態文章介紹"; @@ -3234,6 +3980,9 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "斜體"; +/* No comment provided by engineer. */ +"Jazz Musician" = "Jazz Musician"; + /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3308,6 +4057,9 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "隨時掌握你的網站效能。"; +/* No comment provided by engineer. */ +"Kind" = "Kind"; + /* Autoapprove only from known users */ "Known Users" = "已知使用者"; @@ -3317,11 +4069,17 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "標籤"; +/* No comment provided by engineer. */ +"Landscape" = "橫向螢幕"; + /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "語言"; +/* No comment provided by engineer. */ +"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; + /* Large image size. Should be the same as in core WP. */ "Large" = "大"; @@ -3333,6 +4091,9 @@ /* Insights latest post summary header */ "Latest Post Summary" = "最新文章摘要"; +/* No comment provided by engineer. */ +"Latest comments settings" = "Latest comments settings"; + /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "了解更多資訊"; @@ -3350,6 +4111,9 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "深入瞭解日期與時間格式。"; +/* No comment provided by engineer. */ +"Learn more about embeds" = "Learn more about embeds"; + /* Footer text for Invite People role field. */ "Learn more about roles" = "瞭解更多有關角色的資訊"; @@ -3362,12 +4126,21 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "舊版圖示"; +/* No comment provided by engineer. */ +"Legacy Widget" = "Legacy Widget"; + /* Heading for instructions on Start Over settings page */ "Let Us Help" = "我們樂意協助"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "完成時通知我!"; +/* translators: accessibility text. 1: heading level. 2: heading content. */ +"Level %1$s. %2$s" = "層級 %1$s。%2$s"; + +/* translators: accessibility text. %s: heading level. */ +"Level %s. Empty." = "層級 %s。空白。"; + /* Title for the app appearance setting for light mode */ "Light" = "淡色系"; @@ -3428,6 +4201,21 @@ /* Image link option title. */ "Link To" = "連結至"; +/* No comment provided by engineer. */ +"Link color" = "Link color"; + +/* No comment provided by engineer. */ +"Link label" = "Link label"; + +/* No comment provided by engineer. */ +"Link rel" = "Link rel"; + +/* No comment provided by engineer. */ +"Link to" = "Link to"; + +/* translators: %s: Name of the post type e.g: \"post\". */ +"Link to %s" = "Link to %s"; + /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "連結至既有內容"; @@ -3436,9 +4224,24 @@ Settings: Comments Approval settings */ "Links in comments" = "留言中的連結"; +/* No comment provided by engineer. */ +"Links shown in a column." = "Links shown in a column."; + +/* No comment provided by engineer. */ +"Links shown in a row." = "Links shown in a row."; + +/* No comment provided by engineer. */ +"List" = "List"; + +/* No comment provided by engineer. */ +"List of template parts" = "List of template parts"; + /* The accessibility label for the list style button in the Post List. */ "List style" = "清單樣式"; +/* No comment provided by engineer. */ +"List text" = "List text"; + /* Title of the screen that load selected the revisions. */ "Load" = "載入"; @@ -3508,6 +4311,9 @@ Text displayed while loading time zones */ "Loading..." = "正在載入..."; +/* No comment provided by engineer. */ +"Loading…" = "Loading…"; + /* Status for Media object that is only exists locally. */ "Local" = "本機"; @@ -3563,6 +4369,9 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "請使用你的 WordPress.com 使用者名稱和密碼登入。"; +/* No comment provided by engineer. */ +"Log out" = "Log out"; + /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "是否要登出 WordPress?"; @@ -3570,6 +4379,12 @@ Login Request Expired */ "Login Request Expired" = "登入要求已到期"; +/* No comment provided by engineer. */ +"Login\/out settings" = "Login\/out settings"; + +/* No comment provided by engineer. */ +"Logos Only" = "Logos Only"; + /* No comment provided by engineer. */ "Logs" = "記錄"; @@ -3579,6 +4394,12 @@ /* Message asking the user to sign into Jetpack with WordPress.com credentials */ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "你似乎已在網站上設定 Jetpack。恭喜!使用 WordPress.com 憑證登入,以啟用「統計與通知」。"; +/* No comment provided by engineer. */ +"Loop" = "Loop"; + +/* translators: example text. */ +"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; + /* Title of a button. */ "Lost your password?" = "忘記密碼?"; @@ -3588,6 +4409,15 @@ /* No comment provided by engineer. */ "Main Navigation" = "主導覽"; +/* No comment provided by engineer. */ +"Main color" = "Main color"; + +/* No comment provided by engineer. */ +"Make template part" = "Make template part"; + +/* No comment provided by engineer. */ +"Make title a link" = "Make title a link"; + /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -3646,12 +4476,21 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "以電子郵件尋配對帳戶"; +/* No comment provided by engineer. */ +"Matt Mullenweg" = "Matt Mullenweg"; + /* Title for the image size settings option. */ "Max Image Upload Size" = "最大圖片上傳大小"; /* Title for the video size settings option. */ "Max Video Upload Size" = "最大影片上傳大小"; +/* No comment provided by engineer. */ +"Max number of words in excerpt" = "Max number of words in excerpt"; + +/* No comment provided by engineer. */ +"May 7, 2019" = "May 7, 2019"; + /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -3688,15 +4527,24 @@ /* Downloadable/Restorable items: Media Uploads */ "Media Uploads" = "媒體上傳"; +/* No comment provided by engineer. */ +"Media area" = "Media area"; + /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "媒體沒有可上傳的相關檔案。"; +/* No comment provided by engineer. */ +"Media file" = "Media file"; + /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "媒體檔案大小 (%1$@) 太大,無法上傳。檔案大小上限為 %2$@"; /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "媒體預覽失敗。"; +/* No comment provided by engineer. */ +"Media settings" = "Media settings"; + /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "上傳的媒體 (%ld 個檔案)"; @@ -3744,6 +4592,9 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "監看頁面的運行時間"; +/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ +"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; + /* Title of Months stats filter. */ "Months" = "月"; @@ -3774,6 +4625,9 @@ /* Section title for global related posts. */ "More on WordPress.com" = "如要瞭解更多資訊,請前往 WordPress.com"; +/* No comment provided by engineer. */ +"More tools & options" = "More tools & options"; + /* Insights 'Most Popular Time' header */ "Most Popular Time" = "最熱門的時間"; @@ -3810,6 +4664,12 @@ /* Option to move Insight down in the view. */ "Move down" = "向下移動"; +/* No comment provided by engineer. */ +"Move image backward" = "Move image backward"; + +/* No comment provided by engineer. */ +"Move image forward" = "Move image forward"; + /* Screen reader text for button that will move the menu item */ "Move menu item" = "移動選單項目"; @@ -3835,9 +4695,15 @@ /* VoiceOver accessibility hint, informing the user the button can be used to Move a comment to the Trash. */ "Moves the comment to the Trash." = "將留言移至垃圾桶。"; +/* Example post title used in the login prologue screens. */ +"Museums to See In London" = "Museums to See In London"; + /* An example tag used in the login prologue screens. */ "Music" = "音樂"; +/* No comment provided by engineer. */ +"Muted" = "Muted"; + /* Link to My Profile section My Profile view title */ "My Profile" = "我的個人檔案"; @@ -3858,6 +4724,12 @@ /* Option in Support view to access previous help tickets. */ "My Tickets" = "我的票證"; +/* Example post title used in the login prologue screens. */ +"My Top Ten Cafes" = "My Top Ten Cafes"; + +/* translators: example text. */ +"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; + /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "名稱"; @@ -3874,6 +4746,12 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "瀏覽至自訂漸層色彩"; +/* No comment provided by engineer. */ +"Navigation (horizontal)" = "Navigation (horizontal)"; + +/* No comment provided by engineer. */ +"Navigation (vertical)" = "Navigation (vertical)"; + /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "需要幫助嗎?"; @@ -3896,6 +4774,9 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "新增封鎖清單字詞"; +/* No comment provided by engineer. */ +"New Column" = "New Column"; + /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "全新自訂應用程式圖示"; @@ -3920,6 +4801,9 @@ /* Noun. The title of an item in a list. */ "New posts" = "新文章"; +/* No comment provided by engineer. */ +"New template part" = "New template part"; + /* Screen title, where users can see the newest plugins */ "Newest" = "最新"; @@ -3932,15 +4816,24 @@ Title of a button. The text should be capitalized. */ "Next" = "下一篇"; +/* No comment provided by engineer. */ +"Next Page" = "Next Page"; + /* Table view title for the quick start section. */ "Next Steps" = "後續步驟"; /* Accessibility label for the next notification button */ "Next notification" = "下一則通知"; +/* No comment provided by engineer. */ +"Next page link" = "Next page link"; + /* Accessibility label */ "Next period" = "下個期間"; +/* No comment provided by engineer. */ +"Next post" = "Next post"; + /* Label for a cancel button */ "No" = "不"; @@ -3957,6 +4850,9 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "沒有連線"; +/* No comment provided by engineer. */ +"No Date" = "No Date"; + /* List Editor Empty State Message */ "No Items" = "無項目"; @@ -4009,6 +4905,9 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "尚無回應"; +/* No comment provided by engineer. */ +"No comments." = "No comments."; + /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4117,6 +5016,9 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "沒有文章。"; +/* No comment provided by engineer. */ +"No preview available." = "No preview available."; + /* A message title */ "No recent posts" = "沒有近期文章"; @@ -4179,9 +5081,18 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "沒看到電子郵件? 請檢查你的「垃圾郵件」資料夾。"; +/* No comment provided by engineer. */ +"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; + +/* No comment provided by engineer. */ +"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; + /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "請注意:內容欄版面配置可能會因佈景主題和螢幕尺寸而有所不同"; +/* No comment provided by engineer. */ +"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; + /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "什麼都沒找到。"; @@ -4223,6 +5134,9 @@ /* Register Domain - Address information field Number */ "Number" = "號"; +/* No comment provided by engineer. */ +"Number of comments" = "Number of comments"; + /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "編號清單"; @@ -4279,6 +5193,15 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password 按鈕"; +/* No comment provided by engineer. */ +"One column" = "One column"; + +/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ +"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; + +/* No comment provided by engineer. */ +"One." = "One."; + /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "只查看最相關的統計資料。新增洞察報告,滿足您的需求。"; @@ -4297,9 +5220,6 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "糟糕!"; -/* No comment provided by engineer. */ -"Open Block Actions Menu" = "開啟區塊操作選單"; - /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "開啟裝置設定"; @@ -4313,6 +5233,9 @@ /* Today widget label to launch WP app */ "Open WordPress" = "開啟 WordPress"; +/* No comment provided by engineer. */ +"Open block navigation" = "Open block navigation"; + /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "開啟所有媒體挑選器"; @@ -4358,9 +5281,15 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "或輸入網站位址登入。"; +/* No comment provided by engineer. */ +"Ordered" = "Ordered"; + /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "已排序清單"; +/* No comment provided by engineer. */ +"Ordered list settings" = "Ordered list settings"; + /* Register Domain - Domain contact information field Organization */ "Organization" = "組織"; @@ -4392,9 +5321,24 @@ Other Sites Notification Settings Title */ "Other Sites" = "其他網站"; +/* No comment provided by engineer. */ +"Outdent" = "Outdent"; + +/* No comment provided by engineer. */ +"Outdent list item" = "Outdent list item"; + +/* No comment provided by engineer. */ +"Outline" = "Outline"; + /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "已覆寫"; +/* No comment provided by engineer. */ +"PDF embed" = "PDF embed"; + +/* No comment provided by engineer. */ +"PDF settings" = "PDF settings"; + /* Register Domain - Phone number section header title */ "PHONE" = "電話"; @@ -4402,6 +5346,9 @@ Noun. Type of content being selected is a blog page */ "Page" = "網頁"; +/* No comment provided by engineer. */ +"Page Link" = "網頁連結"; + /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "頁面已還原為草稿"; @@ -4415,6 +5362,9 @@ The title of the Page Settings screen. */ "Page Settings" = "頁面設定"; +/* No comment provided by engineer. */ +"Page break" = "Page break"; + /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "分頁符號區塊。%s"; @@ -4457,6 +5407,12 @@ Settings: Comments Paging preferences */ "Paging" = "分頁"; +/* No comment provided by engineer. */ +"Paragraph" = "段落"; + +/* No comment provided by engineer. */ +"Paragraph block" = "Paragraph block"; + /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "上層分類"; @@ -4486,7 +5442,7 @@ "Paste URL" = "貼上 URL"; /* No comment provided by engineer. */ -"Paste block after" = "將區塊貼在以下物件後方:"; +"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "貼上並且不設定格式"; @@ -4534,6 +5490,9 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "選擇你喜愛的首頁版面配置。 你可於稍後加以編輯及自訂。"; +/* No comment provided by engineer. */ +"Pill Shape" = "Pill Shape"; + /* The item to select during a guided tour. */ "Plan" = "方案"; @@ -4541,9 +5500,15 @@ Title for the plan selector */ "Plans" = "方案"; +/* No comment provided by engineer. */ +"Play inline" = "Play inline"; + /* User action to play a video on the editor. */ "Play video" = "播放影片"; +/* No comment provided by engineer. */ +"Playback controls" = "Playback controls"; + /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "請先新增一些內容,再嘗試發表。"; @@ -4687,6 +5652,9 @@ /* Section title for Popular Languages */ "Popular languages" = "熱門語言"; +/* No comment provided by engineer. */ +"Portrait" = "大頭照"; + /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "張貼"; @@ -4694,10 +5662,40 @@ /* Title for selecting categories for a post */ "Post Categories" = "文章類別"; +/* No comment provided by engineer. */ +"Post Comment" = "Post Comment"; + +/* No comment provided by engineer. */ +"Post Comment Author" = "Post Comment Author"; + +/* No comment provided by engineer. */ +"Post Comment Content" = "Post Comment Content"; + +/* No comment provided by engineer. */ +"Post Comment Date" = "Post Comment Date"; + +/* No comment provided by engineer. */ +"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; + +/* No comment provided by engineer. */ +"Post Comments Form" = "Post Comments Form"; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; + +/* No comment provided by engineer. */ +"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; + +/* No comment provided by engineer. */ +"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; + /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "文章格式"; +/* No comment provided by engineer. */ +"Post Link" = "文章連結"; + /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "文章已還原為草稿"; @@ -4717,6 +5715,12 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "作者 %1$@,來自 %2$@"; +/* No comment provided by engineer. */ +"Post comments block: no post found." = "Post comments block: no post found."; + +/* No comment provided by engineer. */ +"Post content settings" = "Post content settings"; + /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -4726,6 +5730,9 @@ /* Title of notification displayed when a post has failed to upload. */ "Post failed to upload" = "文章上傳失敗"; +/* No comment provided by engineer. */ +"Post meta settings" = "Post meta settings"; + /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "文章已移至垃圾桶。"; @@ -4768,6 +5775,9 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "發表於 %1$@,網址:%2$@,作者:%3$@。"; +/* No comment provided by engineer. */ +"Poster image" = "Poster image"; + /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "張貼活動"; @@ -4778,6 +5788,9 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "文章"; +/* No comment provided by engineer. */ +"Posts List" = "Posts List"; + /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "文章列表頁面"; @@ -4804,6 +5817,12 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "由 Tenor 支援"; +/* No comment provided by engineer. */ +"Preformatted text" = "Preformatted text"; + +/* No comment provided by engineer. */ +"Preload" = "Preload"; + /* Browse premium themes selection title */ "Premium" = "進階版"; @@ -4836,12 +5855,21 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "預覽你的新網站即可查看訪客將會看到的內容。"; +/* No comment provided by engineer. */ +"Previous Page" = "Previous Page"; + /* Accessibility label for the previous notification button */ "Previous notification" = "上一則通知"; +/* No comment provided by engineer. */ +"Previous page link" = "Previous page link"; + /* Accessibility label */ "Previous period" = "上個期間"; +/* No comment provided by engineer. */ +"Previous post" = "Previous post"; + /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "主網站"; @@ -4894,6 +5922,15 @@ /* Menu item label for linking a project page. */ "Projects" = "專案"; +/* No comment provided by engineer. */ +"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; + +/* No comment provided by engineer. */ +"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; + +/* No comment provided by engineer. */ +"Provided type is not supported." = "Provided type is not supported."; + /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "公開"; @@ -4965,6 +6002,12 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "正在發表..."; +/* No comment provided by engineer. */ +"Pullquote citation text" = "Pullquote citation text"; + +/* No comment provided by engineer. */ +"Pullquote text" = "Pullquote text"; + /* Title of screen showing site purchases */ "Purchases" = "購買項目"; @@ -4980,12 +6023,30 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "已於「iOS 設定」中關閉推播通知。切換至「允許通知」,重新開啟此功能。"; +/* No comment provided by engineer. */ +"Query Title" = "Query Title"; + /* The menu item to select during a guided tour. */ "Quick Start" = "快速入門"; +/* No comment provided by engineer. */ +"Quote citation text" = "Quote citation text"; + +/* No comment provided by engineer. */ +"Quote text" = "Quote text"; + +/* No comment provided by engineer. */ +"RSS settings" = "RSS settings"; + /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "在 App Store 中為我們評分"; +/* No comment provided by engineer. */ +"Read more" = "Read more"; + +/* No comment provided by engineer. */ +"Read more link text" = "Read more link text"; + /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "到這裡瞭解:"; @@ -5039,6 +6100,9 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "已重新連線"; +/* No comment provided by engineer. */ +"Redirect to current URL" = "Redirect to current URL"; + /* Label for link title in Referrers stat. */ "Referrer" = "訪客連結來源"; @@ -5078,6 +6142,9 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "相關文章會在你的文章下方顯示網站上的相關內容"; +/* No comment provided by engineer. */ +"Release Date" = "Release Date"; + /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -5131,6 +6198,9 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "從我的已儲存文章移除此文章。"; +/* No comment provided by engineer. */ +"Remove track" = "Remove track"; + /* User action to remove video. */ "Remove video" = "移除影片"; @@ -5155,6 +6225,9 @@ /* No comment provided by engineer. */ "Replace file" = "取代檔案"; +/* No comment provided by engineer. */ +"Replace image" = "Replace image"; + /* No comment provided by engineer. */ "Replace image or video" = "替換圖片或視訊"; @@ -5228,6 +6301,9 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "重新調整大小與裁切"; +/* No comment provided by engineer. */ +"Resize for smaller devices" = "Resize for smaller devices"; + /* The largest resolution allowed for uploading */ "Resolution" = "解析度"; @@ -5252,6 +6328,9 @@ /* Label that describes the restore site action */ "Restore site" = "還原網站"; +/* No comment provided by engineer. */ +"Restore template to theme default" = "Restore template to theme default"; + /* Button title for restore site action */ "Restore to this point" = "還原至此時間點"; @@ -5304,6 +6383,9 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "可重複使用區塊無法在 iOS 版 WordPress 中編輯"; +/* No comment provided by engineer. */ +"Reverse list numbering" = "Reverse list numbering"; + /* Cancels a pending Email Change */ "Revert Pending Change" = "回復待確認的變更"; @@ -5327,6 +6409,12 @@ User's Role */ "Role" = "角色"; +/* No comment provided by engineer. */ +"Rotate" = "Rotate"; + +/* No comment provided by engineer. */ +"Row count" = "Row count"; + /* One Time Code has been sent via SMS */ "SMS Sent" = "簡訊已傳送"; @@ -5560,6 +6648,9 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "選取段落風格"; +/* No comment provided by engineer. */ +"Select poster image" = "Select poster image"; + /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "選取 %@ 以新增社交媒體帳號"; @@ -5629,6 +6720,9 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "傳送推播通知"; +/* No comment provided by engineer. */ +"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; + /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "由我們的伺服器提供圖片"; @@ -5651,6 +6745,9 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "設定為文章頁面"; +/* No comment provided by engineer. */ +"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; + /* The Jetpack view button title for the success state */ "Set up" = "設定"; @@ -5721,6 +6818,12 @@ /* Share extension dialog title - displayed when user is missing a login token. */ "Sharing error" = "分享錯誤"; +/* No comment provided by engineer. */ +"Shortcode" = "Shortcode"; + +/* No comment provided by engineer. */ +"Shortcode text" = "Shortcode text"; + /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "顯示頁首"; @@ -5739,6 +6842,15 @@ /* Label for configuration switch to enable/disable related posts */ "Show Related Posts" = "顯示相關文章"; +/* No comment provided by engineer. */ +"Show download button" = "Show download button"; + +/* No comment provided by engineer. */ +"Show inline embed" = "Show inline embed"; + +/* No comment provided by engineer. */ +"Show login & logout links." = "Show login & logout links."; + /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "顯示密碼"; @@ -5746,6 +6858,9 @@ /* No comment provided by engineer. */ "Show post content" = "顯示文章內容"; +/* No comment provided by engineer. */ +"Show post counts" = "Show post counts"; + /* translators: Checkbox toggle label */ "Show section" = "顯示區段"; @@ -5758,6 +6873,9 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "只顯示我的文章"; +/* No comment provided by engineer. */ +"Showing large initial letter." = "Showing large initial letter."; + /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "顯示以下統計資料:"; @@ -5800,6 +6918,9 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "顯示網站的文章。"; +/* No comment provided by engineer. */ +"Sidebars" = "Sidebars"; + /* View title during the sign up process. */ "Sign Up" = "註冊"; @@ -5833,6 +6954,9 @@ /* Title for the Language Picker View */ "Site Language" = "網站語言"; +/* No comment provided by engineer. */ +"Site Logo" = "網站標誌"; + /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -5878,12 +7002,22 @@ /* Create new Site Page button title */ "Site page" = "網頁"; +/* Prologue title label, the + force splits it into 2 lines. */ +"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; + +/* No comment provided by engineer. */ +"Site tagline text" = "Site tagline text"; + /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "網站時區 (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "已成功變更網站標題"; +/* No comment provided by engineer. */ +"Site title text" = "Site title text"; + /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "網站"; @@ -5894,6 +7028,9 @@ /* A suggestion of topics the user might */ "Sites to follow" = "值得關注的網站"; +/* No comment provided by engineer. */ +"Six." = "Six."; + /* Image size option title. */ "Size" = "大小"; @@ -5920,6 +7057,12 @@ /* Follower Totals label for social media followers */ "Social" = "社交"; +/* No comment provided by engineer. */ +"Social Icon" = "Social Icon"; + +/* No comment provided by engineer. */ +"Solid color" = "Solid color"; + /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "部分媒體上傳失敗。此動作將移除文章中所有上傳失敗的媒體。\n是否仍要儲存?"; @@ -5975,7 +7118,10 @@ "Sorry, that username already exists!" = "很抱歉,該使用者名稱已存在!"; /* No comment provided by engineer. */ -"Sorry, that username is unavailable." = "很抱歉,該使用者名稱無法使用。"; +"Sorry, that username is unavailable." = "很抱歉,該使用者名稱無法使用。"; + +/* No comment provided by engineer. */ +"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "很抱歉,使用者名稱只能包含小寫字母 (a-z) 和數字。"; @@ -6005,15 +7151,24 @@ Settings: Comments Sort Order */ "Sort By" = "排序依據"; +/* No comment provided by engineer. */ +"Sorting and filtering" = "Sorting and filtering"; + /* Opens the Github Repository Web */ "Source Code" = "原始碼"; +/* No comment provided by engineer. */ +"Source language" = "Source language"; + /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "南"; /* Label for showing the available disk space quota available for media */ "Space used" = "已使用的空間"; +/* No comment provided by engineer. */ +"Spacer settings" = "Spacer settings"; + /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -6026,6 +7181,9 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "加快網站的速度"; +/* No comment provided by engineer. */ +"Square" = "Square"; + /* Standard post format label */ "Standard" = "標準"; @@ -6036,6 +7194,12 @@ Title of Start Over settings page */ "Start Over" = "重新開始"; +/* No comment provided by engineer. */ +"Start value" = "Start value"; + +/* No comment provided by engineer. */ +"Start with the building block of all narrative." = "Start with the building block of all narrative."; + /* No comment provided by engineer. */ "Start writing…" = "開始撰寫內容…"; @@ -6094,6 +7258,9 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "刪除線"; +/* No comment provided by engineer. */ +"Stripes" = "Stripes"; + /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -6103,6 +7270,9 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "正在送交審查..."; +/* No comment provided by engineer. */ +"Subtitles" = "Subtitles"; + /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "已成功清除焦點索引"; @@ -6133,6 +7303,9 @@ View title for Support page. */ "Support" = "支援"; +/* translators: example text. */ +"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; + /* Button used to switch site */ "Switch Site" = "切換網站"; @@ -6175,9 +7348,18 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "系統預設"; +/* No comment provided by engineer. */ +"Table" = "Table"; + +/* No comment provided by engineer. */ +"Table caption text" = "Table caption text"; + /* No comment provided by engineer. */ "Table of Contents" = "目錄"; +/* No comment provided by engineer. */ +"Table settings" = "Table settings"; + /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "顯示 %@ 的表格"; @@ -6191,6 +7373,12 @@ Section header for tag name in Tag Details View. */ "Tag" = "標籤"; +/* No comment provided by engineer. */ +"Tag Cloud settings" = "Tag Cloud settings"; + +/* No comment provided by engineer. */ +"Tag Link" = "標籤連結"; + /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "標籤已經存在"; @@ -6287,6 +7475,24 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "告訴我們你希望建立什麼類型的網站"; +/* No comment provided by engineer. */ +"Template Part" = "Template Part"; + +/* translators: %s: template part title. */ +"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; + +/* No comment provided by engineer. */ +"Template Parts" = "Template Parts"; + +/* No comment provided by engineer. */ +"Template part created." = "Template part created."; + +/* No comment provided by engineer. */ +"Templates" = "Templates"; + +/* No comment provided by engineer. */ +"Term description." = "Term description."; + /* The underlined title sentence */ "Terms and Conditions" = "條款與條件"; @@ -6299,10 +7505,19 @@ /* Title of a button style */ "Text Only" = "只顯示文字"; +/* No comment provided by engineer. */ +"Text link settings" = "Text link settings"; + /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "請改用簡訊傳送驗證碼給我"; +/* No comment provided by engineer. */ +"Text settings" = "Text settings"; + +/* No comment provided by engineer. */ +"Text tracks" = "Text tracks"; + /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "感謝你選擇 %2$@ 設計的 %1$@"; @@ -6357,12 +7572,24 @@ /* Text for related post cell preview */ "The WordPress for Android App Gets a Big Facelift" = "Android 專用的 WordPress 應用程式已全面改款"; +/* Example post title used in the login prologue screens. This is a post about football fans. */ +"The World's Best Fans" = "The World's Best Fans"; + /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "應用程式無法辨識伺服器回應。請檢查你網站的設定。"; /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "此伺服器的憑證無效。你可能正連線至冒充為「%@」的伺服器,而這可能洩漏你的機密資料。\n\n是否仍然要信任憑證?"; +/* translators: %s: poster image URL. */ +"The current poster image url is %s" = "The current poster image url is %s"; + +/* No comment provided by engineer. */ +"The excerpt is hidden." = "The excerpt is hidden."; + +/* No comment provided by engineer. */ +"The excerpt is visible." = "The excerpt is visible."; + /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "檔案 %1$@ 包含惡意程式碼模式"; @@ -6451,6 +7678,9 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "無法將影片新增到媒體庫。"; +/* No comment provided by engineer. */ +"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; + /* Title of alert when theme activation succeeds */ "Theme Activated" = "已啟用佈景主題"; @@ -6492,6 +7722,9 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "連線至 %@ 時發生問題。重新連線,以繼續使用宣傳功能。"; +/* No comment provided by engineer. */ +"There is no poster image currently selected" = "There is no poster image currently selected"; + /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -6589,6 +7822,12 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "此應用程式需要權限才能存取你的裝置媒體庫,以便在你的文章中新增相片和\/或影片。若你希望允許此應用程式功能,請變更隱私設定。"; +/* No comment provided by engineer. */ +"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; + +/* No comment provided by engineer. */ +"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; + /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "此網域不可使用"; @@ -6657,6 +7896,15 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "已忽略威脅。"; +/* No comment provided by engineer. */ +"Three columns; equal split" = "Three columns; equal split"; + +/* No comment provided by engineer. */ +"Three columns; wide center column" = "Three columns; wide center column"; + +/* No comment provided by engineer. */ +"Three." = "Three."; + /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "縮圖"; @@ -6686,9 +7934,21 @@ Title of the new Category being created. */ "Title" = "標題"; +/* No comment provided by engineer. */ +"Title & Date" = "Title & Date"; + +/* No comment provided by engineer. */ +"Title & Excerpt" = "Title & Excerpt"; + /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "分類標題是必填的。"; +/* No comment provided by engineer. */ +"Title of track" = "Title of track"; + +/* No comment provided by engineer. */ +"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; + /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "在你的文章中新增相片或影片。"; @@ -6720,6 +7980,9 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "若要繼續使用這個 Google 帳號,請先使用你的 WordPress.com 密碼登入。系統只會向你要求一次。"; +/* No comment provided by engineer. */ +"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; + /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "拍些相片或影片供文章使用。"; @@ -6737,6 +8000,12 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "切換 HTML 原始碼"; +/* No comment provided by engineer. */ +"Toggle navigation" = "Toggle navigation"; + +/* No comment provided by engineer. */ +"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; + /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "切換至排序清單樣式"; @@ -6782,15 +8051,12 @@ /* 'This Year' label for total number of words. */ "Total Words" = "總字數"; +/* No comment provided by engineer. */ +"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; + /* Title for the traffic section in site settings screen */ "Traffic" = "流量"; -/* translators: %s: block title e.g: \"Paragraph\". */ -"Transform %s to" = "將 %s 轉換為"; - -/* No comment provided by engineer. */ -"Transform block…" = "轉換區塊…"; - /* No comment provided by engineer. */ "Translate" = "翻譯"; @@ -6867,6 +8133,18 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter 使用者名稱"; +/* No comment provided by engineer. */ +"Two columns; equal split" = "Two columns; equal split"; + +/* No comment provided by engineer. */ +"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; + +/* No comment provided by engineer. */ +"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; + +/* No comment provided by engineer. */ +"Two." = "Two."; + /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "輸入一個關鍵字以獲得更多構想"; @@ -7094,12 +8372,18 @@ /* Displayed when a site has no name */ "Unnamed Site" = "未命名的網站"; +/* No comment provided by engineer. */ +"Unordered" = "Unordered"; + /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "未排序清單"; /* Filters Unread Notifications */ "Unread" = "未讀"; +/* Title of unreplied Comments filter. */ +"Unreplied" = "Unreplied"; + /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "未儲存的變更"; @@ -7112,6 +8396,9 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "無標題"; +/* No comment provided by engineer. */ +"Untitled Template Part" = "Untitled Template Part"; + /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "可儲存最多七天的記錄。"; @@ -7162,9 +8449,15 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "上傳媒體"; +/* No comment provided by engineer. */ +"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; + /* Title of a Quick Start Tour */ "Upload a site icon" = "上傳網站圖示"; +/* No comment provided by engineer. */ +"Upload an image, or pick one from your media library, to be your site logo" = "上傳或從媒體庫選擇圖片設為你的網站標誌"; + /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "上傳失敗"; @@ -7222,15 +8515,24 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "使用目前的位置"; +/* No comment provided by engineer. */ +"Use URL" = "Use URL"; + /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; +/* No comment provided by engineer. */ +"Use the classic WordPress editor." = "Use the classic WordPress editor."; + /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "你可以用這個連結一口氣加入所有團隊成員,無須逐一邀請。 凡是造訪這個 URL 的人,不管是以何種方式取得連結,都可以申請加入貴機構,因此在分享網址前,請確認對方值得信任。"; /* No comment provided by engineer. */ "Use this site" = "使用此網站"; +/* No comment provided by engineer. */ +"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; + /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -7267,6 +8569,9 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "驗證你的電子郵件地址 - 已將說明傳送至 %@"; +/* No comment provided by engineer. */ +"Verse text" = "Verse text"; + /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "版本"; @@ -7284,9 +8589,15 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "版本 %@ 可供使用"; +/* No comment provided by engineer. */ +"Vertical" = "Vertical"; + /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "無法預覽影片"; +/* No comment provided by engineer. */ +"Video caption text" = "Video caption text"; + /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "視訊標題。%s"; @@ -7296,6 +8607,9 @@ /* Message shown if a video export is canceled by the user. */ "Video export canceled." = "視訊匯出已取消。"; +/* No comment provided by engineer. */ +"Video settings" = "Video settings"; + /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "影片 (%@ 建立)"; @@ -7343,6 +8657,9 @@ /* Blog Viewers */ "Viewers" = "讀者"; +/* No comment provided by engineer. */ +"Viewport height (vh)" = "Viewport height (vh)"; + /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -7401,6 +8718,9 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "有漏洞的佈景主題 %1$@ (版本 %2$@)"; +/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ +"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; + /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP 管理員"; @@ -7668,6 +8988,9 @@ /* A message title */ "Welcome to the Reader" = "歡迎使用讀取器"; +/* No comment provided by engineer. */ +"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; + /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "歡迎使用全球最受歡迎的網站建置工具。"; @@ -7757,9 +9080,15 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "糟糕,此雙重驗證碼無效。請再次檢查你的驗證碼,然後再試一次!"; +/* No comment provided by engineer. */ +"Wide Line" = "Wide Line"; + /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "小工具"; +/* No comment provided by engineer. */ +"Width in pixels" = "Width in pixels"; + /* Help text when editing email address */ "Will not be publicly displayed." = "不會被公開。"; @@ -7767,6 +9096,9 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "這個功能強大的編輯器讓你隨時隨地都能發佈文章。"; +/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ +"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; + /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress 應用程式設定"; @@ -7868,6 +9200,33 @@ /* Placeholder text for inline compose view */ "Write a reply…" = "撰寫回應…"; +/* No comment provided by engineer. */ +"Write code…" = "Write code…"; + +/* No comment provided by engineer. */ +"Write file name…" = "Write file name…"; + +/* No comment provided by engineer. */ +"Write gallery caption…" = "Write gallery caption…"; + +/* No comment provided by engineer. */ +"Write preformatted text…" = "Write preformatted text…"; + +/* No comment provided by engineer. */ +"Write shortcode here…" = "Write shortcode here…"; + +/* No comment provided by engineer. */ +"Write site tagline…" = "Write site tagline…"; + +/* No comment provided by engineer. */ +"Write site title…" = "Write site title…"; + +/* No comment provided by engineer. */ +"Write title…" = "Write title…"; + +/* No comment provided by engineer. */ +"Write verse…" = "Write verse…"; + /* Title for the writing section in site settings screen */ "Writing" = "撰寫"; @@ -8074,6 +9433,15 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; + +/* translators: %s: block name */ +"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; + +/* No comment provided by engineer. */ +"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; + /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "你的網站已建立!"; @@ -8119,6 +9487,9 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "你正在使用區塊編輯器編輯新文章,太棒了!若你想改用傳統編輯器,請前往「我的網站」>「網站設定」。"; +/* No comment provided by engineer. */ +"Zoom" = "Zoom"; + /* Comment Attachment Label */ "[COMMENT]" = "[留言]"; @@ -8134,15 +9505,45 @@ /* Age between dates equaling one hour. */ "an hour" = "一小時"; +/* No comment provided by engineer. */ +"archive" = "archive"; + +/* No comment provided by engineer. */ +"atom" = "atom"; + /* Label displayed on audio media items. */ "audio" = "音訊"; +/* No comment provided by engineer. */ +"blockquote" = "blockquote"; + +/* No comment provided by engineer. */ +"blog" = "blog"; + +/* No comment provided by engineer. */ +"bullet list" = "bullet list"; + /* Used when displaying author of a plugin. */ "by %@" = "作者:%@"; +/* No comment provided by engineer. */ +"cite" = "cite"; + /* The menu item to select during a guided tour. */ "connections" = "連線"; +/* No comment provided by engineer. */ +"container" = "container"; + +/* No comment provided by engineer. */ +"description" = "description"; + +/* No comment provided by engineer. */ +"divider" = "divider"; + +/* No comment provided by engineer. */ +"document" = "document"; + /* No comment provided by engineer. */ "document outline" = "文件大綱"; @@ -8152,26 +9553,56 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "點兩下即可變更單位"; +/* No comment provided by engineer. */ +"download" = "download"; + +/* No comment provided by engineer. */ +"ebook" = "ebook"; + /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例如:1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "例如:44"; +/* No comment provided by engineer. */ +"embed" = "embed"; + /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; +/* No comment provided by engineer. */ +"feed" = "feed"; + +/* No comment provided by engineer. */ +"find" = "find"; + /* Noun. Describes a site's follower. */ "follower" = "關注者"; +/* No comment provided by engineer. */ +"form" = "form"; + +/* No comment provided by engineer. */ +"horizontal-line" = "horizontal-line"; + /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (網址)"; +/* No comment provided by engineer. */ +"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; + /* Label displayed on image media items. */ "image" = "圖片"; +/* translators: 1: the order number of the image. 2: the total number of images. */ +"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; + +/* No comment provided by engineer. */ +"images" = "images"; + /* Text for related post cell preview */ "in \"Apps\"" = "在「應用程式」中"; @@ -8184,24 +9615,120 @@ /* Later today */ "later today" = "今日稍晚"; +/* No comment provided by engineer. */ +"link" = "鍊結"; + +/* No comment provided by engineer. */ +"links" = "links"; + +/* No comment provided by engineer. */ +"login" = "login"; + +/* No comment provided by engineer. */ +"logout" = "logout"; + +/* No comment provided by engineer. */ +"menu" = "menu"; + +/* No comment provided by engineer. */ +"movie" = "movie"; + +/* No comment provided by engineer. */ +"music" = "music"; + +/* No comment provided by engineer. */ +"navigation" = "navigation"; + +/* No comment provided by engineer. */ +"next page" = "next page"; + +/* No comment provided by engineer. */ +"numbered list" = "numbered list"; + /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "的"; +/* No comment provided by engineer. */ +"ordered list" = "有序列表"; + /* Label displayed on media items that are not video, image, or audio. */ "other" = "其它"; +/* No comment provided by engineer. */ +"pagination" = "pagination"; + /* No comment provided by engineer. */ "password" = "密碼"; +/* No comment provided by engineer. */ +"pdf" = "pdf"; + /* Register Domain - Domain contact information field Phone */ "phone number" = "電話號碼"; +/* No comment provided by engineer. */ +"photos" = "photos"; + +/* No comment provided by engineer. */ +"picture" = "picture"; + +/* No comment provided by engineer. */ +"podcast" = "podcast"; + +/* No comment provided by engineer. */ +"poem" = "poem"; + +/* No comment provided by engineer. */ +"poetry" = "poetry"; + +/* No comment provided by engineer. */ +"post" = "文章"; + +/* No comment provided by engineer. */ +"posts" = "posts"; + +/* No comment provided by engineer. */ +"read more" = "read more"; + +/* No comment provided by engineer. */ +"recent comments" = "recent comments"; + +/* No comment provided by engineer. */ +"recent posts" = "recent posts"; + +/* No comment provided by engineer. */ +"recording" = "recording"; + +/* No comment provided by engineer. */ +"row" = "row"; + +/* No comment provided by engineer. */ +"section" = "section"; + +/* No comment provided by engineer. */ +"social" = "social"; + +/* No comment provided by engineer. */ +"sound" = "sound"; + +/* No comment provided by engineer. */ +"subtitle" = "subtitle"; + /* No comment provided by engineer. */ "summary" = "摘要"; +/* No comment provided by engineer. */ +"survey" = "survey"; + +/* No comment provided by engineer. */ +"text" = "text"; + /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "這些項目將會刪除:"; +/* No comment provided by engineer. */ +"title" = "title"; + /* Today */ "today" = "今天"; @@ -8241,6 +9768,9 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, 網站, 網站, 網誌, 網誌"; +/* No comment provided by engineer. */ +"wrapper" = "wrapper"; + /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "正在設定你的新網域 %@。你的網站簡直樂不可支!"; @@ -8250,6 +9780,9 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; +/* No comment provided by engineer. */ +"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; + /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "•網域"; diff --git a/WordPress/WordPressShareExtension/ar.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ar.lproj/Localizable.strings index 569ec3ef580de52fce99d425bb9ed6d9b0d738a0..e0a38487ec48b1a48f52afa6b06d11b94790bbec 100644 GIT binary patch delta 1183 zcmY*YZD?Cn7(VywB=>W1G+OCuZkyI*HEY*>xUNh~wswu7Yr7_C+VyL9xu@w}Z*ybr zO))rD5eDLZxbeaU!#{I~viWEFV^f$85hm(j6Z|2=QQQxm;1?5|Fw~QzI(Fc4-uIsO zdEV!J4(CqjPUu8->%QTU(fwnobY?t}otQi@H9a#schESLGs%2@!8*KXFHOWvQ}>L# zn;j#DsXGN2;97AeUM$)bnC6?{E%xPx>}dIrZMh3mFBDu-^7J9Aun1?EX2^3BFvCVq zo+vj2)@t;k<9d{*cPO1A$tvV^QYty6$#kir8+pSj zq<0&+ML5PsddBw{g&eWx0_(c#Y~`Zu7$z~(X)1Is@I+=U*X!poy3boSfshb{RW1r$ zT;rBtw{Dh13qDhyg8j-M>{5cT z-5-Jrz9!Mc-8hC5cqeqK360=(+>d*41h+VW^^~rS79{Xi`VGL0zYj`UJNzt<$WEXE zZ^CihgLIe`TbV}q5^q-LDX^asMySjk@Q&CF->dPO@J+aj3h#m!aTXp^n_+_(VVbC@ zXTkLa*Ki#*bP_(t85q$J2I;la|Js+O z7C244JL8W~Z`$Cd6svjjnlBu+A96j4s`u=`+iBM%j>A!L<4SIAQa`GoSJCU}J@h`h z&Lo&oW}2xmH<>?Kn_XegvtO`Zv#ab+?62$t?s2Y}>*BU?!(5I#&Yk5xKKM-1kn9w7{g>hj@@Pw1XjTPaR@Hf7Q zFXQXJ2Hz#$AO5={77g*dctyM|{w1+eNJ>f>>4k3d*qyaNb0_q7(y*51(G)h=nPsJ2+9zSH;ea0xWje)tz?8%+NI delta 1229 zcmYk3Z)h8J7{~LwKfhd(yLjt1*3#8nY`e6zZ5FrLc5E-wCT;EdZ*9`FOWSzO{gU2# z&1JbuXP8<+D!y`a4`}h-+zVkU3>9R8tcu7GCZdDA7>+?-i1-gd@y$?wxn$zO-SfNW zdG7Q5KF{q2b_17EeWMeTQ`4tsW)sP|)cnGk^y1QT=2>+mtC3uORX@9CtS6(zqEVTf zA?xM_NyT()UAHXw3!MkVJ;7#V1>R>4EVLV%lG6=h&CL>nWbMSPx9 znwG7Yh2t6du}JNuTr^BoBih2aURYBm)pc@aoF?=_zPGn`AyKL*YF^a~u!vgJ`KYET zwwkwQlQZK>v#V-}wkf1kGE0d;HM^FP4qs)iuKHN$u45Df8qy$f+ox0Pu+!t1v$Jh?ce7P7>s8BI)*=j@EU zw>qw(mDHU5zflA557&fiMxcV`+vbNCH+jnA|>0AN+*jNO*`j|+zu05i~Pub zDn@c@*|6anqrgM1{qS5(JR>(&w?LGNSuQD-O_9nfDG@r|(ge|TRhcT>N`HztIW z3EegbY%)D?mkkc3>OUnlLsX6al;s&>mrDi3HXZL7xna^&)D2ZP)D?r&*0x;JRjk_X z;R@RrB)ALr;SM~82MKP+PvH=b;m&Hdn;u7S4E}Kc38I*~EF~MN=^h-W&EYIPL~%d- zCv~;Ib`1J`JplYk*yq05mUnVp_!u6hgy>m1YnWOI;cg0hWblgA3_p1%;F@PYWIZDg z^q=xow-Uq0X=f1b@vV>*TY&M7Hq?Lv6gNt1!=~I#U7vsf>2cWcMccBpa1=)hIPTPs zRkvEVJ?Q8KaVI3D5bSt6;hq!#;)`s$1Xsni>3YTW8e&lhjiJ+M4(aFu+CrDmTj*o7 zgT6rDqPysKhG)D?Bh$~sm?h?AW}A7NZDG6EFdJv{>`nF-dxw3%37pIw=91hZcb?ng zE_3g3A8_CEE?(eeKENO4hxjy~JuiCR@qF$rd*AS0^?vP>eAj(9eRq7nh$qA;aa-IKf0gz~z0xUZ hL)wxa_*?y5{t7%Q6vyq|x4ScI)P#^Up(V{EAtFGPCT&cdG;QiQX+CfhJ^O)I+NZ4j@&66TP4!4tyL6913ODE=bUVsyU2i z-h2P|-v4*2<5tJH$czwz(XoT$hYn912~S3*rdy8A%+Ad}8$GtL7<(?BNcN=CnWg39 z*_G9`wcPXCiM&n=#nMt(*NLkYolKl+IC z?!HMQzL(!#AJ!$cu^VDPdmDA^ZyO@ItrgsVDkM_z=<>8~xFp7f{~l%98-@L$_A2QF zHEG^u-%5|~SUpB{LnDh7*RaYC+fsJ3gtDh;*;|_|Xd5)SKwoqjmV2XXaq3p>GI6bX zzf{t2O`49=4eJ!mOc~CG;W*h;Mb}(fcWtGyBDY~+U|_BBAWp*=_Orj04MN}8@hIQA zk&N>bnb1yA4;~vh#3p^Ntq!Z`n!u2&v{AT#m4 z$Nm@99XaTsdep4zc>>Sy#)H6%eFNTMFDOrM8nBE1P4eggILzCGVDY}}jJnDM&mH+| z1RwI%e6RT4@Llx1=lk40>yPbp4dHv?N8z@(Q|uJ?iNoT8 zm>188?}#6XAB$JS>zm?l;vMLPA@1)wxKM*FxB&0Mhj0l#gRkK`xGi-{d!>*RmeNvI zdRh8J9+hKqO@34UL1|T9SGJTZ%1wmOPSl6yk&Y~M8l6Mi=u>nP{f^sk4<5xccpaa` oTljr^9si;#>Qm~dIbCk#00NzX*+4c>VX246pCMdg%m4rY delta 1258 zcmbV}OKclO7{@)k-#)x<>9zsIEtrgvN?Qu4LtW%z(t7UZx8M1C~km982uA8n)|3K#{f(Q7Dis}1YFTE^<(}gUtNY%?_ z^$k){)pUE+GTjDl*{+A}=14`|GZ6f=Tb8XG#8{d&n`?MZUnl2g*@oGy_xJZN<(v-I z>$=&bWfa4UXYn^j^3Q|0E! zvtC8*@x5Wg(QDof$rb`^Jt5wRk47MHUUXc&W z#Ys}r+m=T!ahU$79844f#flpBeG=TU+YWX;b`Ne4hcH{qXNh6zc)sPCcGIQ5a)-ox z&h(h0|DxM~ zI2`Ym`i7<jS#q>RWfHVOrI0R z@A?nSgYxL!MmL^8HcWzLn}XyH*O@iw0}Te)i64Ttll=e0yBU&0ozQ0Jh0u$LM~Bc1 zT0jM4q6=sXZKGGw$LLe^1^NPT`_liksw?xr^K@+&g@Xe~3TEPw{pB3V)UV zivI~@P}#(JD8qT!f|ubv_yB$oLV_%)LZ2`sXhKP73D?E2_^>!CX2h%^Zi#P*pNLn* zZ^Y~3O=(Edqy_02>2>Kt>3iunS(2ZZUy|RFKa#%-C&F6T3cnWqJp8i)$`NHqX)70% Yca_hSYs#OIcqA1$9VtiFXnq&|3)p*YKmY&$ diff --git a/WordPress/WordPressShareExtension/cs.lproj/Localizable.strings b/WordPress/WordPressShareExtension/cs.lproj/Localizable.strings index 0a81badb5e79b674ea0c4cd0c1de512600991654..1254fcba5a2a76866c3e88d20a49054b7cdf21c7 100644 GIT binary patch delta 1295 zcmZ9LYiJx*6vywp_C2$!P5LmzOpIxwG>Mxk)Rqup5}Ve|qx;Nzdy~1lJKf35cIM9N zMl>jhML{YDzm$sBFBTQ7eo{nGRD@yz3Vu)tB#2OiMMP*sD|&Y~gxVQ~%bhvr{D0?v z?p$rZ+J5oOqbJ8soqi%VJ~26UCZ0&%n;J`Jre|j7<`)*TXYtaqMsoRrey(Ut4{4f8 zao)+q3D#80gi+x>Pim-CGAb}Hw!mBb(@mKvcgfJ5!rUp-AvRTGx>-X;|R9 zU%luyMRsGRkLx9{=Y&Z6_3q~YC2V?80H?zXblB6#SU*eK@74?LE!H1S{Nsqj@8K$)h*L8 zPy%68MmjQ49;v8=EaV`n9)^Rw8lI_nqE6rylAIt>QY8&jQnz%z(Kqv^x3_n(u~D6dTkt#A1P_Uw$7f^Aiblv>qf|Y2 zdYDzoTXrQIxqEjKHIHk+`8dlpq8 zD-VD#unrr_fkOsLBLi9Ny2zhu#uTWh2$$tHQ2l+Jx|i{$_fU|a5r$?kr7CQC5^z)LStDqI8MMkU%QKUjLv3v8 zl(17!WKjPg%A6i5QWqQgs#V79%xguws-t)vxZWG;t=;DBUEJBe71_sRFelfW+O9cL z51|O&_l4^wMuU&QpxoS}-x;VLX1~ZDSwlY)cb9Cvh~b()x|Tz!+s5Z(19%?2gx*6R zqIGVJo8soV3imCy!yEh>{|w0 z!k@ywVuu(NPmAY7DpthH;=AGp;z#0V;y2I{hV+xC z$@8=4FYi8Y()+h>(Vy~P@c$C%4-5wu14h6Nyb}04uo2h^iowC48T=}QLW3bK^hM~p zd{j=#&&glPoAM3igi=r(jrVs31X0vn@r#aDX8kAS2T2|it3i* zBFj8dP&*H{7hc`4utv1(tZvrOJYFX&v#g+-mC@1BY|?HbT*10YS79$+p42qt;);_< z#b@)0Dz;f0BDQVW$wzUiR#5k)Zor{7{DbW6>nW(a9wTn4>i0XkOB@ECOfsaKDAPU) zoe_|nYkNe#AbL>fq2I#&G$!s2Wv4aWMT^YBnM)@Rtj4feB1T(ia-KZx7S!FoU8LE# z?A~UzkNzv%+0hn4n{at>Ifh+QvFv8Meo zrEhVF{v!;Hr`zNOwcAgDpr+;7$Z;7YsuG(pclkM@=@>24UEMMr`WrXgkxJ^WLFg7Y zLa*}uvCNI3Wa0#CY$$7S;(E4;T&tzMpmxn$2sf~9;G#j=v8}avk<-qezQ%VCl))mf zfCrxiJHX8@XpU=RlVuDNpayJk9k_HY@Hf3E>+~08X-_)cEZW#DgA_1;#dhheAr(AC zFNcPs2ABuiU=t9~0EnS#3<9&Yr?VdzDn12kFu@MmpI@nYj<0spv>KkJ_E9N(Kb?^7 zpgFN;a2>=z6*NJS?MJ|2NIQ&=_**rw0_w1b(F)-x{W>zNl;H`6>tokIlRl@!y4V4| z=>%C?4R6wEQU4)eicuP@xI;e=N8tcH6B?%n z!h302dgE{=?iFplh7FLuW&d`oEcVHo>tRFRv>KRQmKL`e&g`i&+1pH@!QeIDhs93G zugX#SUU(NAYOx%V?h2P#o81zn)9=M7J*4zeFEkq=x1zPw5&BeknqCg>qh&dNUyV)B zV@Vlo7B!Z7qZP4Lg)+;;VW}WSxD5plPbPEJn!du`4@Dk+VFr0x) zFb#Eh5}tym;W_v|{1ko$zkyfb@0`emxNhzdZi>ru&vUPEuk*e91N<02%~$wO_%HY? z{EtFFP=#?JC9Db?!YSdb@V4--a7_eaKvcy(@gXrL=ESOKi_dhp9oM9BDfh56C2dHr zN*_oUr5^%4fy05Nz)Ildz{i0vgOMN#&IK<7w?iGF??OL^{s@nTJ^5~VP>#xR`Azvl jMN*OqR?aCODOVy=q$^@YzKZ-5`Lpxh&UmLqUsTb5_o$9< diff --git a/WordPress/WordPressShareExtension/cy.lproj/Localizable.strings b/WordPress/WordPressShareExtension/cy.lproj/Localizable.strings index 722b634172ee435b77d0a8157573a7d118ff41dc..3c6ebcb7ae9478216a2307cd7d2e5b6f3190e4de 100644 GIT binary patch delta 1175 zcmb7?O>7%Q7>38Yvw!X(OO?7n6BwG7R#g;gi9=|B)?J&l#c@-6{a43vC!VprbUkD3 zPs|FHNFam+m!eS)NC=4{E>Ix~7dRksY9)RSAaS6la)WX}9Dqtxz&b8mA|ZO2(WjYt zzxR8e*-UMwE?SGyJbdiP!sAaodGuK3xMgN{=AK$Saq`sD`K7|?2bRwi_m=E(rCO_> zZLBm`Tj%gvo6t_TmLUWMxa(Jo6cfam(Dl7)IWrizkywFy1ks+GtS*OZuH*L_Cz(&Z z0OcKaUYt{>#UZ^Wn$p47E{2olojYj2{UFvk(lQT=SGdi`^Jn`DN&cU194s1cc8gM ziG$JULEv!ayPyOxSO*SZpbHQf01kW*pohi15}K%w5g%+1ZMjtk_Evk|`}CdFa6ADzv| zgO9H?#!_2vYgVk%W0YT z9mdIaV0R13tmoJeWw}dPxj=o~8IfAsMvBI$%67z9Sh7ZbC$i2kjtP6=`0an8YMDE8 zeh@L#9mfBgF&vK49Uz5L;Z^?hb z8JLEr;4?6Q5qtx_2d}`7;b-tm_#ONK-c}w`W|es*qg0fJazS}rom8hQ>S1+BeMkL5 zJEoPi=e0Mr%i2fUHSK%tN9_+?(x>#aUe~$)vc9RmtzXq|>bH!0jI^;}WDH{XMr3Rl aFB+T1CF6>5)%eNyEh!~;B$4)&!3Hs31s=e-AYn#g@x!b+F+kAN+%rg6OLth=SsSRQIy2)PEp84GhEg z_x;W1%I+(>FPSrk4j*~)sQT2?&m7BcKR#rbx%`Qf&z?FxQaS7X=O2MS7vzU{R)2U~rA!>s3am0(C;XT? zd~j$Q_Lv{Qu;(y@30^Ev_be=;HL_HQFR0teWHO7E7eUlP)a6rP6xFgA!vJ;svRx`P z%3b8e&mi$U=2^#4>ul55W8aB`N&JEMY*U9cjh!b*(CQA}`!pba9Bx^0(jO`LK?>ig z!)^6s4LB&or{%r;GhshBm0jt@Jf;Dhk6XX;@wrErP2{$SlN7az>8{Gv4`40 zvK@1eG>v`yH~D^$6ydX=HdZrHKswBe>Ze?vc)`}Fy4}O^^_{WWBU&{_+9-4a{=5qL zuk!d*C7IYXMh2@B7_rcUeh}xtF7ZgbQe&22ir`!?pv?98_u>SwEgCq4Z;Frco6?wB zoex(X>UXOpf-q$6N{Ixa=fZ$(6>b{$6&Xb9h&pK1A<18@By*vkd^mqi8cEw${%{TA%VU9V(T`D;JDCn}d??9DbQ}>Mgn;U;iA0Dp6P!xs#M77ld z;z8`aR680cnGasYD{!f?9l$MH8 zo2i#lFAI_|A)FQ#go;3gbHWATlJKhVuJFF_q4242Q}{tt#I!gf9ujk6Lp(2D6IC`&*?3FLqD&-p?{*^(!bSjr?>N;((rdz%YH8a diff --git a/WordPress/WordPressShareExtension/da.lproj/Localizable.strings b/WordPress/WordPressShareExtension/da.lproj/Localizable.strings index 1c897c36386d5bfcdd1e36a768d74f0fda946631..54c5fdb65ebbeddd920aa8e936a7c3a6fa346645 100644 GIT binary patch delta 1144 zcmb7>OK1~87{@oevyZ7zmp-CWTUTqfNU2s7>f4xB+nS^`+0CPA8>iW6x^=q=yPIGT zEqW0YMV*TWQ9S5Di>P=|M9`D?LMwO>J$MiiK|~QBAnGQm1+fP^m*Hc+`G5cK|2yhF z>OSV}qFce5wd>Yz*tlu4XNy;Ct7zZ4t)p{p*LI&jP}kkFV^J_9E8$2q)*J8ZA4u#( zgUQt@j(Sv8vQf&41Tj*jw2=@OkO{7mltYdz7dTGwWHNf5^nn^O!tbey^kfHh%^Hq( z8WuKf$)_2+NP?>+DJDw#>Bi&7vQ^?_kCaJUwj;SVAvQXiwPcfP77>Be5NX3hD68B3 zp&n-&xb=; z$4Q&KWEYqB`?0DasXJq9X~QDlxf=3>tD7AwtS<%7D3$|ww|#=E_YDNGoiz=~P8Y{1 zvS#Zz9K@sP9FDYU)~IG#aV4W78yCatD{bhc(A?ZSP%0#=lneRjsv;{u!-ig;vvjE? zUXm*Qjd~rGRNBlZ#EQwx3uzW&cf{ln%Hh9p3SHsEX7g zvZfEB6fWRe9rYMSR@brlFR=e(<({4u@$YlVlDvXPFz!E#@xs zjQPg=0`;H;bb%2tW`jI91ulXs;5xVs9)joKE%?DMWSiJl*29L`IJ=iU$yIXmxD}kA zJI6iXH}fHWAAg!3=dba1_!sO>7fK7=~x|XLiS=#3V`xicE&4BvRD|P+KXbP%usc0Xqq{*FSL*ckoV}A)B?e zJ2s61%>lsyi3per>Y-8*haON>_0nTG^nio_@gvbgD{&!5s`k{Xs@ip2R|@pdo@VFM zr+40cp0)0^?klkq!|(6^;DB-P!$XIouN`R*$3{lSx{e+jKYk*fn3$Y8nN0Pkt;}FH zm!B@o%+3`*qVJq4+02SotIl#J$(Aa0mL1{#68C+17oCw%dtFZA{t5wz^5 ztYmyPwLraKjWExvcp`?QJV`g6|}y3Z>3`|-GlW)JL> ze`-5W^HrHZxi@k#DpaJpLt>!{n;+w*11})t8;BopQLpkWDgblZrc+ zWTNJ|L{v6_%dpwiKG#eneiNbmTyI?9$B%KBecmTM4lY2D2q zW3FIcz_g)Ber9wZ_%k5I4&cFk@n0mEEeS37I2U!@n&U7pz#r-CXy9kuwSB>zhWlXNa=@IHgD%Um z%e?*{$*%$vEQ3{W5v)NK4#MN`B+Nh#SKtMB1%3*@fw$pz@DY3pe^zuQr1U7m%7`+n zoL8K*lo`b;ymu(nsTv>EM;c0s$Q-O|3+e$;_(>S4W4e^-y` z1)b_;{Rae4KN>`d{V0wsR77XdC3FqlLbuU<^aA~6bQr@%!Z>X_H-0hxFgwln%**CY k^DFav^H&_f12~E^xP;H)^Y}~r5I@E1`1epqz6g=O03(4`{r~^~ diff --git a/WordPress/WordPressShareExtension/de.lproj/Localizable.strings b/WordPress/WordPressShareExtension/de.lproj/Localizable.strings index af8892bea89e80b7a9f1f3fe542c9fb9a8da4951..6a66d11d1cd2db6895a07533c7535bc18e939c7e 100644 GIT binary patch delta 1197 zcmY*XOKclO7@mFEj@R~XNKB$eE(4}GDJ3CLNE6D#Z6ngwc{F~}1c*bWidF=~0jWrpf&@ZHs0T!mBEi@jRbmc18qL4o ze6Nk@M)d5d(HAFm71Q5t15Ps zs-2xBii%AG#<_<)>3F@aH({RdgY)d^?(9sXq-*wa;kaQF%fSiFsKNV81gcyP7TErG z&o;W{-5FdrZHMBF73F^DV(VvYJ?_Dw>fx zqLgc}!N(3|jw(i(=tWr?cF`Jj-BeVfrc#t>QSM3ap0Rs>fbJDdC-8s}hTB{}3~{|r zgom+eDHZ4c2+8zpB0sKb4xXVj?@<|VQGuWNs5g@&Iw?EAF%QQUCW)#kc)IRrreW(S zi4?SkG-RME!l;f+WFrSZ0=+Dj@-0vBl(I@vQ{-g_VoWr#I7^&{Wnjl_lSrpDM<@m$=)oiZiPX?Qb}cvz^lIDKp{&shgdqXi2--Sr@L3sEmT4TSyUE5%V?E; zVJQ^7{H8z31PX1eS2SYL@jbx^GXOZ$1BR~~1_Hmrtq$e#rZB+34euyt$}hlHFa}P{6|!a0Jc-<8V`q!j$}Mn97S=j#eW&E)m5lwbU4}B;~s_6sO=edI|kPW$09f z0araANVG<+9EtH*J4iU+aTta>NLQ|vm_Y-}xR#jm{$2XLaLyZsE$K;5D>9-(U5LU{ z!7yAD`#OuVoFcSr23B0^aM!mNBB8NI=|fq~QgM~&w5&!e!*(f%;Z%ra5F>xm%}68g zjDK`JpR5y&O1BK;LrwHLdJA1dpQ0Pg1T(|TGfifT`J2_*b@l>#o&BD@&Hm2*$?kCX za}jQcJIGCOW$tb6BkptV3+@{CBX^hkmyhzp{0V-Aclaj%A^!<~iNC^s#ed8H#Q(NoD`el z8{)^}RdGA8C$Jf~68J0V50-;#q0Ue=G#C0hbUm~s^-Bdwk!sQz>74YLbWPfpBl3{^ VoID}FhT4l|+?}@T-h%Z`℘Nc0vFE delta 1313 zcmYjQU1%It7`^kCo&B4gwzNqbmtGswfVD{r)k>>inx?gBlD661Y&M%@dUxmU?rkPB z%bnT8ZO{rOf-h42tW=*=@TInb_CbV#idF@&P%HGMg+lc~5K5l}4d|UrD>88B&d0|& z=R4n-m7bNJb0?lR55IV1{s5`YTV`kBAsmk2pAzp-k7ceqM1yK0?DttfeF2`&3#9*0 zhC>t>QE{pq&4@!muv_hho6>d|(l#VY!!`@>aWTT1KP~T=86s|#I+4))IDILw%njkV z*yf}b{BP8)@Q=E=BN75_Y3hloArjEK$J^y2u1|TeMpZ5}ZBbskTV^kesaf-p{Nh1c zBP}O@i!z2)wRhKKL~fZ~p$inZy%xuQARuvraw?{q9iuiQ_*gSwp6kPXxv!&;XMscE zjJy+WDUS~oA1Tsov^i(Yf@Gf zvR(KizJJUzv%}2A2Pg|TspF*Vuoa~@&gPk5`LRd^-S4O>#n z@u^%uT$^wkE+&q_z05vnCsXj7hSv*2!lhGpXS8+d!rtV8c(``zc;*XmInf7y8(qK> zLy$@rJIiYcIL$<2+;SvI{JIqSGJD`&a_=VLXJiy6l?tcAPuDZEFl+R}-PFc2NJnjS z2EB&fkQAv;8j(&&lM<7br4{L%^q%y&^p*6j^s{tJdLV0ZLhh2El@H3Z@>%(U{GpOn zo>T^uVWqBosr;b)qTE$=)l_$>1$9PUQdiWs)Jy7T>KzSfx@KxywLRL9R@R!@X$?BA z#)`2|V&$)6Kk6O&c6~q})bskQ`ltGL`c3_>_@?+k{GIqm@!N_0i6HTM@>25qyXgr=d8<|QFbpo5dpLQ5&1$t0yMX*$d&lWCG#FZRpW#N%iA zy-7O@gv5>_b}W!UNbC?GBv=6g39&&!umI5oD_9~HutKn?1ozqbjL1k72|*Xk#xwK$ z?!D)nd(LX;dyG#`erFs@$%>lJXnOXhn{T=Gwmrt)p5EK{_3iJ!;h)k*|Ahz6E1SPk&1PY|c575WtZokAgH zJO|G;&nMM<82W9?=r6lCBB)JU5n`N1ZRC=On5JnNm+RtBY}>RIaO6PM3@teCIL(JpEL=~5yGJHdMr|AViPlTZhvT=ZH7Y7ZP&?T(1ATw*l z)+#XRE}aP&i8z|`f_2L{P>per9VDZ^6JuePQLVX@hAf8|Z4zi7G|(jiQ(uax`04^; z!~iKAm2P0*HRx}D-$|;oVb#T z9LmEH(3cZM;r`adFq*N+QpX(QT}0oRH5cO$;sap=9c*^Kl59t9hOFV1&sW5D2r@|& z(WqY8YG0Yg_WE+k1F!`eaA4Xp_IGJ6Hg2JS1Dp7ku_xKU&3z?S#>(xSBued@>J%?=264*O(p-Jk0r`tC@HXgK0opQ9 zTnUC38_;b57RtmYHc&8Bpe^4C#y~ycIN?Ze01kyGA_C%>E9YX5oDVrzhxt-j!qSH1 zNrBXmkQ7Q(ViHG(gg(3dy91^!EP>{6lT_x(W$27LNZfg?L-C6x!dp?ifkKpO#p6C% zD3K=JAhj8f2{$iQLkELZMe*fCHQ^W2yqNsha*$>0Jw?DDVliS>;p;6PqwN0(`>!Hw+r@EoU1wJ94yhX= zpSH1FZzBDRQS|q-r!!_&l4SA!*_`Q`Ba$w)rRSt8(%aH|(wC{zsbXq5)lPkt`c?Mj zXXQ8L&*iV>@8uumpXF;xpE96KC`Xlf#a3QWUROR)K2|{#|lHlHnKo$T{c{E<`1Q@XJE+V1X}KhoMngm+lXf_S=Lu~Qs$0t2P{y!q zG?&o~tPmy9uj(@>fM>}_e=ecw>E`C-oCQc$cCe8>g*MB-lR|n#N|X z3=z{b%y2iJoJq;W8Q_>F7s!1+)#;(wAT# z^>URZi5^9@(NIq2<>!kBM!i^{B$}fv93bcHlw6s=2Pr0=vYm4by)z}(({FGGU)=2B z<9p*?Y?HKMW|MuoMNGS}DjCTrxpd*5k{jp%tdlqO#(ZQ7&uKQD6%hRj8-%E{oSx@u z%f<$XqGB|du~kF2=qIL;kAzh_cjXduh^pc)Z)|98LQ}2jSdd@^8TxpT*mI_iY@?tu zC07Itgy*rU;R%f(OSOqL?rcDogO%Q7YkuWq-aPqd^YZTO-y&Nu;70Twg@KNtp4pn^rP3|7H4 z@BlmpPr(cD8hmCrri7_sIv5`_#$05sGPl?|wuxF|9LL|zd-JbCC-Yy3`bteJ(<~$VYr2|gt8V*$U3Hmup6lc|v&_s!OGFfO zsY~%XM$s)Qh{8irQPd%b3JVIl+0D8{r#eVA>xfuH1fAyn`OWwJexJ`&$yCYtuHH7Z zV<*3B_ny7&`#L%$Z_%o*?$Z6`JqLRG4pvqB`qvH&`VZAN1cDnIH-*BHXe{2kZD@O} zLs76Tr>$s!$O<;}q*P5G39IRMp5wwDnT(dB!>EFK`Qyb=fA+AZTH}dc-6E!qeX2e| z`?*S*hA}$AG+a2JEtVE)aK^A~CvIm_YM>QNC2jXCrxL<-(JnG3XEl2yI4+y2p2oy9 z4Kp4xb68Hxsvhc;QxmjGtZ$2WWj#f-q*U1Are!mlAuB`)g`9qqQdxLmkKOx5=R2lq zgjTa9bOtuiW>~(Zqy;OcJZArz5DW)=@oq)6vEONPv6b$8D>Nh4@R1~uLxzdfD?VA0b*xO9oxqIv*D0x zYa|jNlg3dJ?NY5t)v^-dj3V1)9^$Y&sY9cwscF>RV9Vu0zj%u2W>mLl$mb02mL%M$ z`F~?xCnar|xujIIz&=kkkKYLk1?8h;iBkGOXwJJ_@jng=7J<#Xb7ZaG@Vldb(^LCr zJ&XB^LjEEGE+HTPjr>x`BQ96%kCY9m5bOs8*dPVQfeLhx1{he*%63jIye_X`dxd}TD|By*j4&b(n}m`}`SW)7CZ zO4tlr;Q&m*bMPv>2Oq*`@GblXf1n!Fg8I-AWTPCqgl?eQ=q`GUUZD4A7R|A1*haRE z?O-Epf<3|B=DDFBAyYii}&fpW%wrru~h*8 delta 1078 zcmbV~O>7KN9Kh$zy!k3>RGO|-^%Yf$R*@)5wY%%1wyXAgwY7OV&+agt+04wgHqtbW z)KSWF5OL8nksxs(J`xcJM36X1aB>rglSr7|S$hx(aeE*C_y73)-tGF^^>cv%u6z3q zQQFzFVArDEi>B80=V!K&lG51L|JXi{+0}w47 z_J%>F%CrkM($`=O_47+>(m_>o(2(2f`RAwWM*P?qBf8g7EKE*0v{&+hX8Hpz6S~Ud z(jg(WI_1X>$(mMi_<&&(%PHp_j^|bPxV+9Nt#lAJDI1XYDj6WhaY1+JjELxW*t#j< zRmv#7(rg43&4Pt&$4!ZH#3Jq}qk}}%FglcXG}Ex@XSPj<$23PLbei2rr=%8tvVuAp zAy{=$AB_;FU>V3U%e*s6UD!l;0&6-xrW23RQLiqtJ)-m~=lk7kZ`JHS*~~E^#$+&~ zG8$trS+u6)Z*A2a|@l^G7L- ze{msIOI94vDZaDzH_A7}b##VZU&6cPKXFbo5>sTRnX}9}z=1X}01kr$(7I-p>#7FZr)RgU~MY2!q156T&Isf^bWCBzzFQiAeN|_r+)8 kM+r(JQciNDE7CpbgRICa{ULSJ(BznLXQTJC<&U1AF^dkxFwlXGI#(M<6`!lHR?~FR%CrF-lgg&We8qboxnE;8-B<3 z;U%VOb|!7Ltj!2XO*hP(reRAJ?&Tc3Q;~#GSwT9sK*1Sxqfs%f7=ytvF(s=B0i{w} zDi%s*1Ti7XYN%BlnZOrer9ILnsv}4lw&d02GSf*#6D1^tLgu-6f+@kJbOBzXs<4YH z!ZUnfNiZDn#ypa22!8X3^%b7%3j7|HvymWD(1?Lw(iQs#dypiHLT}QLHC0zY5Qtz3 z$Up@NAb=#$fDQ~{&#=X2*0ANpvZV!|IEg|&bk@L?M7eh;fQ)oX6%1|l!f;476ch=d zNo@*6-LgI@>v}w#ltcrqG8@QMGHch?)(+(!f}R6`KND7b06Lrcy=KeYNIVy{`nRvm zOi5^|%&;YY4Rsb@mbMud3W`(6R9AtA;O?xm9e=oLW*i$_?b_rDZ|7Y&AKG`WGh5Y? z^^m_=z*g*k|6Hg2AC&P|+S%|I)r|lLbIg=~6THgpo!){E;6Mgk0GGfVmN0hkdO$sFh9@6=CN4(nhy z9ES$Xz?<+cya(^Y1^65;!VhqTE~TsKhEBSLj?i)XJbj%hU>r;{bB%e#*0FB(3_Hu- tV&~W=>|6E=$8s*t!wqs1+!bz~Ti_PCAH1Ef;T!o5KEjXlv$%ho@C(&oJ9Gd5 delta 983 zcmbW!O-vI(6ae7P?(FUq5LSd(0;Jvf)ExaF)Ht^H5Myd4ccCi=(X+4k{n?U2x;vLn`yeifn8V{- zXW9a*=^L<*I=LN1VYjRpcqlvG#g|LvV@@ePMO1Sl{{T5_&}L)UG=FaFhjhg*`VgA*z`X78~lP}LUYptglu4*gS4WXX)2zjU0|8&V%kR@%&ST0yr01N6s z9~cHfpnxT?3|7H)@Blmo&%kT&9;`DQQ^eSqcE-g-ne)t5<`!GaHn7dCn~kwg*ca?u zb`2sZ!UHe>$KWDdhL_-7cprY^EF9uQ&d#-QPA2hY(Z{k?}#tNva|lON!-=KwB=&z!8ozX>`kGQm82Y76#L)U z@?+71JJ7LRkMoQcqy4O1>}2N!jYVa6JUf9`kZ*d6$yG#&Rf3pOo90ur3Q-9WD|G?s zW%i2PcP2BAEFGK0Xwyi8&38;28Q4grxY1(t(e%MLY@849xmHMYp1#G)*dPcd9FN$RYl0*| zU=0vpff9hg0XA@f2YXqY2%GY?OyCTv;M5Gh=CMAZJH9lBJ)c_8v+E|(DdL$pGlwho z8qQ7-w?bUEkai5@;d-PCjlOv{LqkJLjSuKH(qg|0F*Yn8ADxf$C>mD^4XQdeH_ll~ zHmw$;EeDgRWn3EuCrc&K8fF{8?oc+4F@@M-*VW-bcFZw}&YsrJv(G}lnyUkKM41zg zv2ySj`#^n<&4*6!UQ?Qd*4W`OhkFzm2x4=T{h*x_`qF(H<6C>NmB9&*TC#f zU~rvx*60EvX!1lF+AAOhegPivfeGx~q)95oLNq^tU7jxY$ce{v&qpSCzHYciTn6KO zzbv2w%u%&B1K6;a&+{;v|K=G>Eb}}`Gp;#z3Exn+ZhV-%r1r3rT4b;=j%caY82`U` z!KU;`iPV)mu2bSWOu19UHbPIVXB$~i5CT>3GS~n&!H3|EFeS_i3qn=6D?AWQab3J2 zej$D%-WPuse-rnmN2E^al=P%DBk9tn^tQAoeInhKzLoxz{*k-o5&4pQRrchnye+>g z@5mp^pUPj#-^)MA`^qt8Kslp~DH)}pTvuLI)<05iDSri=KsB%#xEU-2H$&T@-O#UU zo7$tERTFAPwN$2VtM99O>UZiN;gjJ+*b2WGz7gIDKhPptw>GO8nx(y^?P#~O+uB|2 iM{PgS9O;h~BBh8Qc|EcN>W?TiDySUPdXWK$?EMRR6s_a{ delta 1308 zcmYjQUuYaf9NyVKw|l$WWSg`!A;wIiNhGl`LB%QrO)l4%H2?2^lFK={om|H3?Otd1 z5|4lZB?>7>bwH%}qEDi&f&rx~zBD;AJ2$_uxRgky(wS^-d1W=fR(J-j7j3*z+9c0zIjONq#i^y2 zaM|0&nF->TiSM)D!43m*k5sTAyCI&-^*T1(AP)A^3GCovkW8R$T(GQ#>bgVxO<3{# z0DA5d1*>@^oK!20hiq);W{A55=TI3h&+rA}mWGCga!Fc)sDy~iRzWAqj@dR0P{~iE zmS*yaO+@)Nh$;1GavT-63f8&Q2^~rvBk|W(kiPurs zv<%Iaut!)I#75)}_ATgRF{M?{#cdM61>VA|N4tZoG2|Ap6ADev;pc*a)mm>C+7xXB z|7*32{Uf(WLLsaMviE0WD8MC;)>fumAJd>gwUVmXe7P|$SiNjk?zHa6&rIMARCNOO zt_ay*a_?|DBrjNPbr&$Kc~uJifJ4GfOfl~+KZ|XG;Cv+@p6j!p#r{YtNdgD6J@Gs{ zmbzn^lTb2C7}-3OwIv)>sS5+Ip}kod&O5{G4SGw=vG8@rB?3WUDL?K}iYO;{P!TiJXlHqKm>rn?&1?0T z8^0R5*dNMH_m&V7kl+eM0SiuJWD6eb%OyyuO1L)62K7F0o?VXiu=f;$U5|XwOB!ba zexf9J0u_D|5Wn_e;{P#!ZJc4hMK7?nXcPNIdw{>B;RedA*`)G&QomyC6XnU)mibDN zCyD*K1!bPC=d*Nl^wfrs67@j6q25xzRDV?e)->%=Ev7AN z2il=_EBbhJA-WuWKKj0%*DLx9`s?~v`fWot9y6XYc8#mXJI0Z5+dONIo0rUlNz8ro Rn$Y+}5LTglQcsF`^IyKunWq2% diff --git a/WordPress/WordPressShareExtension/fr.lproj/Localizable.strings b/WordPress/WordPressShareExtension/fr.lproj/Localizable.strings index 838eb448575d020f8b6cea2136b417fe1bf95795..35f9d2eef1a2b1ce3455d12f0e883f44988eabda 100644 GIT binary patch delta 1264 zcmY+DUrZcD9LHz>9CzHmU0Ud&K%EvS!~$1}##$xhq=Z%};QisC$8jvT!!gI+?lHTI zo`2HB)R)!=^!H|rP1R`B#-u)}iIF#>(KI#j0TW{%Oc7sNpD?kCb9cnV?8D4tX1>4g z@AI9#*>$sPBRzC}a%%e7cp{maIh&rHyO5dBF60)qrMym-3oEp^YLsSUx{e*KV5j3m z)3Ig3m~^xu6)TsG3e3xG@Q(Omb9&lcGN`?hIcM60Ie3DatMI1K0R?FmvSRP+8*a0@ ze+HK=+u=H=b80WNi5)N^1VEK>clr!j)?CBMCRQ{?%>pKjS!^!JDp)IM)J#6577XsgXA5Mgsz_Kd7@JdPn8{NnYMuvNJHz0 zA`=x5MrC9n8#(wGw2D}nt1`ipT8Shl$@32M2%QrPapJhl#Ew-nkxEj>ATx1NverrZ z47E$twlk@+t~sQJbiUpRnlBrA8?#_;Km4d}8 zIrYGP5>>|4Ft}JUp{)~`@6!~cr5ir*Z~N-0 z69&alr*IT*cza>UcNi9fyYOqH3(t9WVa+=t48IW^hlOxEba*3@rS|cI5m*ezU@+Wr zBBwTSw!~#vC%CLJ{?bSh#nBEgZu3t=6+U|bVUESITn2F^<4ea((=~YEPrS!li|8BV zaJy^VDB&}wdec%nYh}LjMcZ;}OU%u?CblW(s8hRanRLk@mik29Srpz2WQ4=}zMA2Z zqK0-dF`W_HCOA!&V8b7Qlj>@FHR2r(hoF3|rp2Q+`HER8@3I44YskT%as)nX92WZP z;s+y{Nvni)7aNqA>4ZzyHPf-w=zh5eIhKC-LhV0Pjh_+zn>mybmOfW7Ek44PP=7dE zYgns3GaeS~sS&v68-i-+_ibgp`hZ`^O7s)s( z0%`x_7c*lfBL!;nq73;s=U32WbRB()z8B64)55$^5pD^)q9I-sKN7zce-Lkrzl(Rp z`_dt)LyAg|NRv`tx*}bZK9|0fzLtKJ{*?CQPI*v%S}w|tT#?_BKbCLEpUIo@ck-6} zn|$AM#M9?F<%xM_JQ)wY?77;28vG5%z0KZs@38lh?`7Y;#%=#G|GWNw0tW*6vyX&?OqmkcPJ?I13MLv1_}#_q)knuxTO`s=YFujvaFZA!!mI9-gWN1 zRBS9JS|2oNuqRE7@go>{(6m12gT_S5gAcxF<44k%*u)2o;YDqHFikW#%c3#!Fmvag z`Jey!opY=0R@+AAlM7!>HPV|FxevOBW5_ z^58w0z+Y;6?^HE;9yeDgP_pLuoVcElBukW2QC)77n#>^MWsfKUh_Pxg%UG~z72A9@FLA5vVN+>7G*g)j z_LNV#Q1TcT`%uw##16mf_dtp~E5+ckU=w^AIt1&{?&B6pq8(%*iVDa>3^~Xaiz1#K zv^gy@*As6Y`~cL~_dz7A2M9Xt;6|ZwJeD1EO2qVu#i*T&3l~LNqP8arUPcL_N|7s; zf!4(78ARYra0qf*cV~9Mwh7NA6SiM>ogGX^c zd|lfFKSZ*P;ziOgmpLm@P6Ufec6cjt2G(^KaQ(^q1gufVWQ(lwze7l}f*{=$*ttJ9 zVB5ZBRJtHcW|BTzHEa*I>$0$^<>7_ky#|Kj!m%gZ7X=G0h)_5ZY=yhgF2%u*z@5k} zd=)y*z&vMN*^=X;_++rX(g^lrBpf(reO3(zf)u^o?{|x+`mPNN$!- z$!F!9{Ji|C{I=4fbSg1rP$?=ml`oXSgt+dR_fMy`v#b*RXa} zdsvHWS&eEX%@0_Co#1dVR|q=6_k-UDe-8ek>-xBUNq$UIH{#`d8&V-l4FNZ&l^hM4^Hlu-PBpQn*qGt3)^h4Z>-@se=6Z{L_ Kt#5?b0rC%wSf#!I diff --git a/WordPress/WordPressShareExtension/he.lproj/Localizable.strings b/WordPress/WordPressShareExtension/he.lproj/Localizable.strings index 631927cbec746a5a6b4642f865105a7f42a37b7c..f7cb78256e62db420322c8cf8505fbcd5c2a5dd7 100644 GIT binary patch delta 1224 zcmY+BTTC2f6vyZG?R93^Dp+ufOr>0+2%<&_YVEcqsb-;D_6A)p4m%&qz_7EK9f+$j zjmAr2A82zDjYJ>x(aVGNr6!vA(%9J6u(+$BP>RK{T_4mKqb4Nv>@HrKdHCjh=bZof zo&UGkwAgee_F(_O@!*NUP&g7j78@Eq86O!P8-H4v=ufD0GC8G9&*(#bRh2CznTZWj zMU{;d^znDwBK~w*&%%h{gLk>-YGc8<30=!f#h*-NsAAB z>bhmsR3@!k6+)50z;K_cS#l6D|3&F5qrke*Y>$ShP7@aJ?18q?eyVDUd^~MwMk=E- zAx2^58I4IXNk(SUjKO3WOKydFPOcd)dm;}gvot(FpRu5gZ4QhLQftmk$(B)ph=esu zr_n(=Ys}NwQ7tp8Wis(dT2(Asv2>)mH+s|A**R7X=*Fi-y++`y2=0d9fBQxlY56jyPE4H)ygq z!yzdStoS&T+;t5)mM>$|63JtG4x?34LV@e>g8g>8ic`NKMYtgb90|;>khK)b?sHQt zDz_C#2^t)aK$qt}1ilA>yP!dA1HbE0bmEe&y;URMR|Invz9sxGYUBrGFOctW;ufBp zWCh-oVknx!d8?Sq1GOb!N%X;GhmVzaW%t~vA>TT7<^NkWfkBQe!9|4To-$ z;;r4=ShI{(MO+~d2c0daRK&enzF{0pmU)qRjro8%$6R5Lu|al(&9XW64^HP!aqn?o za?9K`uEhP!?eKT-jeHmX5I?{t_|yD5{3rZp{1<$I|C7HdGz;CrQ^K@h30dJS;eFvF z;k@v4lue#5>XZ!WC22u=UHVY^ VR4Pcnc>JEAC*d(YZ@{xP^54T>o_+uT delta 1336 zcmY*XTTC2P7~Z*@o!Qw7Q=tNFkYknB(sn6HO)Js16fjDFa@h;8z&Pw2mT`xj&CD!y zTMaR$zL?n76HW916PvK@uFwiv71NbISRYJdV#I%TvDWOvocZSa zzsrAiv3ariV*Kb+{R5{5hlWQY(O7(RY&}cHoe1~p$xx=Q)Em(VC%&Q+ z8Rwp=&2)=z^j3q=JTv<6XqW1clxgJ?PiJgmITfo!G^+tzIV*At?dO~1f8)oy$&8va z9Qq!M>0f-y;aJsNksI7C5S%x27PcLb#IwXA&~CDyXu66|XC2+l*z`AcpEnxO9fQyX z_7Gj+9_)&5UrKzKs2W_#)G%>!Rt7s}CA%WuH(+9QUeyhC+91`nO;vrdUEMu>n`@}o zP!X-5HB?NZ@8NJWi3(^HtKj`BDm4<_zbp)^#bPbhJQA581uY}5Uhp&an(Dq7Qq6wFkXRP{+hrvh50 zef}rluNIb$&<~|uv_p91WD2}iAp>}UXYv2#@5V@j%~e=H36^(HI#X^1u{QdyuY+Fj zouIdaL-ZEvq;Caw(*~(GL@Fb&DYR+I2ezp@=?lI(dfgvw)u2)t8n2sj4P1r0JXd}V zBDtO1eL-kI%hU|+q)XBv`dP4%GvzwC)BOvgC+}JCyzF_E;h23)FEhl%7@axCoM$dF zi_9m?7tB}86=sF`okgs~Hn7LoZg!G=iG728hil?mxi+qcOL3obOI(q=!Hc}iALgU{ z1b>D<&%egM&ws?PBM%ahjGECA)P)jALuq7riFZlx33cN_lWEo2%<`^L_vC`;GWUe8c{| z>}I&7ZtJ$~J9h4>-|a7MXxy{6sd?Z2Kua(bE;|s3E{~~NysEXWJ<-wG)qN24Bx^V7 zxV2u_6&IzPcmyL|u}oSmEf>`KblS+#4!D>OiAPK0;Y^P~oW4Y}>0sMc0>m7k=Y*v+ zEVa^3cIElu%-rJd8YOKxuIE!n&&zA+JXlr{Z@|4MW4N8sK4cR!rC{5(?6#PlQ&0*K zGqxKg2k1#yRi^oonZ!nS@tm51O(tzvNXL3C=3Pkd3rpxSzJxxIR?!;Hw_$#bqT8s~ z{ZSiLBZ0O?ow!QayJRM`F&|1_!E#ZHVgn~#`kG%cyR!xB1Sz4kODxl&iny4vV%eOw zd_yIO25~Hi54*IADGzi-u$!?>#kHpM)EIFMtVQskmBsM};tUeUNvLTZxp;b@jzSr) zaCLQcSK*;Jg$d{frj)LS6-s-+>sOE@3Rcs9Tm7C(%Cd8`Tb$3wq9}_!E-PpkT$l$^ zqJ?_;QI`A{kJ&SmOmm}S{%wpZ|S+uLR zx9=Z7`~|?=J`e>4=m!|+05c-MzeAt}kz-g{O&u^SlV~Bm2PMhBBA{VmL4M^SHENPU z0wj<~N3K4zb>Z`gP2d-eSPpC8KG+Xkn1ff~O?VrQ!3XdOd;#CWFZ?oo4ZoSM=QTdTALB0x zB|>zOP$~F@%fdr(lh`b};sx=BI4(|zlj28-kxHaRQmxc19gb`QoaEmQB^`> zc`YgySc_LoGq+TAMYuqlei%{T8>*Na2fLG{rt33@J5%GrYtRf^Rc{0r+UiX7`d9N4pAX>S%Y&D&Dd1YKNQ*r|J$>Ta9 zr4c^QmfT2wt5EqjO6hjDi~LOM-7q`B9l>a}842GDw<<%c?H#CNbCTK*Mfs^0b=VU|S8>_k^8ws;nj+ zC%Mfkcw$jJk)eEGY>{X5R0r$XwZK<=tPJ~M}h1Z$Zv_Y6Kh2OR#`V~1#v8^ zEPelBSpWs#f&+j92XLqZ*(5!W2=zVz%&N!wd5{GWXaEKe1Mzs3S8;}guHRZ!8M3q0 z1FR+fC&n@$pbeJ6G4KUcVLu#$`=Jd5JOq!z6Yy(z0bYUE;7{-tysKzRLP;t+lo4fC zIih@}oKgGK*VNb5QMImKRUuYCZ9LHyOXLo0=pohtwio}eKf36au5sPW;zj%oz@seEb_U>|ClFNEKxvbgS zJ$C0#FDin*wG`ArkWvI6Y@roFL1>``-vqIRw)!9_NS;(^OF^^`fx34WT59{y%rg69 z*x!8j`}=+t!;9gw(P6O%zSFz+-S^)A;KROs(P00Yf&B*tht>@rjE#(L9E*>?nMi7> zZRyNJ_E2teYC1oo?|%DmVWQ742-AyRCP8(BICehR&adIMdq^2mywuh&+|`(Ha>?Y_>>qqcec_RT<#%d$78-+Z$20~kK6gL_zk`W zZrqaTr?Yy+VpGXE-8JnZp|0z=Skt=kpqCWfoevVSThQ;Ar1z%Ut!`!4^o zGEld|AHfbaoun2mFuo*j-aa)#4O1s$WoA0IXMrTpK^2(521P(X892ZLjBL#Z+s@;* z)!BL|WK=IvZIm8koG2Z!=>%mJ*Cxzq*hpz6vuHX&OHP$$`c1E7dR{J7HgrZCnNBt* z_tWX>>Y8pIh}X=E|1Pxhop1{|6!XJqw&a>pjk^<3U!~}{H9oF}ke1Y|^lzd8J`LB` zQHG9ygWv^N@SmrEH8uqnzlFM2$dg}ILUmeuC>Zf&ihdUU|6V8d|6qmx8y25ccdYt1 zqm{F1F&jfy0rf|o_umV`c%4u9H9iFp1;2n2&&i#Um15x~Wj#--EvK{*YBPX94V(ra zfveyK_+A(k;=-g*6Mht4ik5gv{8GFl{vBlXghErBSIMeJov;zLCC@ zZcF#2Kcqil2keH!@CanE20w#e!RzpAcnjWz58xBHByW;CiEiND1^ f<0treKnMf_n*&3EnLq_JmMAnUFqZ3b2`szZQZu(bTi$?W|Jk!R<|lW z__|4T5X6I^;Kc`m2fYY-Q1GB2D)c0Xc<~^j2fZko-K|B%gP4H~Gx^~E_~p&~H}fa8 z_D!3&Y~3bq-?4Mnt~t%~)E2EZRJD6gb=%&3?H!$6-Qk`Uk*Ho5izj;f_9y!X22&dj z;GuM^IhV5v@d(K}VDss+SV2WEkfypI&1S{mQKr<7Gv9j9)x= zppzITM%_8zbZn1)VCsaJZu)`11hbA#v9(%ay3Ry|U?Zq=FhcyiYa`z&Sxc!ET@J!y z*tGDFMUZFu#2YLtAg|mSz06kAd-B@9!E4q#i5*1#2Wq3B1rXqa&%g@a?|=syimOPg zYNr1Zpm;p^RmSm8M001p&d~W42)!yb1|;VEMuO(#ss;bXfz}I6v;U}lHNC+sEw-%? z&>48m1a9e3e#u`77t=rk??Luw<822)dysKFSno&a1vgGci{v05I%=f@FT-B3RBH&Vp^F2<~VbKxx&`4tJy|2#Aew0>|^#N z`uXw;qyvi@*H}V>v@D}TMpVTmGMr+&CWOuAg~l>)(~`n@6iSEsFIqg)!aHQ zNJr?$!b_c*)u`y=u$*7?LKG0NguM#A$R}t?%+d{E^uqb5(`;ct%?}CVnYPVQdPGRj zXZbd2N?<56kG5gtl8s~;2G}bB6a;>dvw}K+C5Sz17H(DOtJ27c^c?iIkZYUmQ%$z0 z=K9bdT0t)mI>HYwZLT2_1s))NLqy8L#6{^fRQ2~zW*&!C9ESN+&4C0pEG;zW zX5LIpOl&qEAZ)rtf9E^t6Vgy}eTiAogyfr4joR!SV=4JT-8MT~NyHw1(;0g|58O(T232^p^KO_;O$8q;z|wRix9Z%mN|`>dKc5%`mj6;33Ta>@`##bD`A@hjaDCO27TE8 z{19z3`jysBRJ8=XYV^??YWG9`Z7|zxK#v=bDXCTL;xhe3esXO6OfAHq5xmDObBKjq zXOUM~+>qT{v4dge59^ZX&a=p2YvlA2^mZa*n~yU&NB4(Zr?HlsE#;ts;*nFQA}4a! zlPsPJ4wzxtlgJ~n(`?~aV^u+fTa25_@z88m_RCDSO|vn1>~hN>7WXppN-SCIvTR5c zHgMoMNZ-=?_H&FNg7FFzW+TWJq8U#1baPu+`f>TcDaP^`G@ZoN8uU1gjed@Mo%@u# z%6-qDV3p*FTgHw z%k$K4qD9;yEAvpGetmLsvYZP$2-h+7`KmaCOJ`jdFPa{eQ@hRmw{cs-)IMRJ)r_K`#`aznhqo|1Zu|ECOUJtDj#mX4P) zn2~xAb}Hxnh=i;=s*-QJQ10FxdxS42L-s!X;tbiqvB&rw3Gv6u$mv3FxML3_E)diS z;t)j)AW?&a1k|l95SL2ybEP;hIN!wpDv`QPlIE-;xK0N;wkZb`$$6SumqXL%5b+BR->W;s0t8 zKW9!sLdN-BeRyL(A^9ch(MBOlTW##adH|$G8N5h_BbP!%Qr#V*8VMUXq8=1uzh1|U z3Zw+19F7_G%L}9xW0qtk6Vx#BaGg5#3ovSszi(NSYdPGi;YNZB!2wO(J);O?mH^kF zy?B8@iwDor$+Psn>Cn7D{5rgc*$|pI2~8G4bHhyWTjtU6)#(^Ro_a)lVL>2*FLVSd zw1l>R;f~-8gb0oDAGL|G1np^&fCjp=F&G6XNvz-m$G%j%EsSZu!mk@ab)&)`>!a#i?8Y8{OFzj|=2*J?WGO}Xy)Z1G+V=`INwOzSjp0Lf7cQCJHOUl$7^6|aa_#U1gc_=Wh5_^o(fd?5ZMsgflPNH0q>(wg+P z^r7^LJS30Hr{r0=E`Ke5C;uY#}%nupEf=1XSPyk_p2_ssj|L-Ua(S%!7Ss#wHoS#Me&Tc7be2hjgmHm~^r diff --git a/WordPress/WordPressShareExtension/is.lproj/Localizable.strings b/WordPress/WordPressShareExtension/is.lproj/Localizable.strings index 1487ede9ae678a9c158c854259f1bab591f63359..d059a3c3764ee7f325091be0753806fdee49a074 100644 GIT binary patch delta 1250 zcma))UuYaf9LImRJA3;_F=uF-NOES|Gg>80Oi_%nR`a)MyPv z%zWqj`+jDi0kWdYS-9np(v}0d4}cvFQ04N9oask*B#I2I^%3eJHWcpy@R=FQo#+&Uq~-w zm)cdGxUS>Q8*WR-RZMMT5|?Z2EP7xpJB95su}YDy(T+@`ZaLT_reSc0rASX^d#!i& zhxk~b7GVR@Znh!rXCq?o!QG>}>Eeq2cZGB&6`!9msjnxwza1+xffe>WipkkDu}Ilx z*QNU&S~yNjiuDt9pE|Z@K^ibLfr1TH(4h_vc;M^zmm*O%phmmqgFN&EULi(;JnOSN z!?E~ciueuJ)_te#BV$nCBH0vKahfDIO}!QBd4){f#6D@qS?rX~;~5?vUhFJ%uM-&i zCA5n@j0VR~#d#W?BZZDs`)+=Ut5hAgRf=?PQwU-XKyWc5jhiH(%GT7!0-UkTBz1jk z!z5eb$i`(Sm99Tf02DeXl&rXzWs(FK2`Vy|O8|uL%<$A#je|h8IXqRCIDm+=r zGj+g)&D+B~aBIvaXJx?+*ko&R-(5T2b}$Ec+1Kjc{{Ms8TTI{z$4BfcwLAg|UI~W| zIG{WH54u@Sms%EuSvbS8DI(3Q|{f+eg9?+9NAUkMw+55mvF zO>vJH6-UHJ#DrKDUlQLCKNZ)-i{dxp@8TAUp;2@Uok2cop*3_KeSkh$MHkQ|^c}j6 zZc2NlA!$sSkg`%idS3b{JQ991oC-VPi{T&TCAlHLE?J delta 1252 zcmbV~OKclO7{_Pdj}~J6#Lpyl;!M2b_2A8}wL5k( z6$%0c!~rPG1))?b6(@u^&_hoZJ#gSaFBB;f5)$GNaY3X4iDQ|yTa+GP1-<3$FCQePBo;s60n>jZ;HkWd`*Dfv8a`L{e3l~=7{ zc3T@@OR~AM+_wQE0W2=>X19bVSwa~w=TbJIaGFd0=;noIDhcG(u-g}w&*0Z+)f$NG zK|4Toy3N{NK6+3;0OPPuT+DoR_KDd9qS*0+Zuztq;(+#+l?yGKr+abLiro{$-q&@# zl*Dz^b}758K{jK?4i)?BtJYBD8^f;O4q!<6NZ7yu<~A43Vw)g%u0@IOh3pS;L@neA zUn6?8CQopCZYCV$iA?hIFqGcEN-*2(M7l!@UW}itz zLj+8KR{;V6aKR>UqBx)Sn`rwVaH>!wAw>_wzLG(8t^#`waYF}8^063ffzjxTz#BHm z@!X$ai`~!$Ips%>xjeH8nt%WZI=s5hqh5Ujr1-((#}N2j;nshGXKUvE?Y!Cd`fd(7 zejjKIGJH=6DBxBe6nCsN;rh)ce_AlkyLoR3;4eyP`c7;T|Bo zF6!LY%id64V#kerY(tA{MNXEu?me_e3gaZ8=zjuT1v==0Rqzh@K#+tHVM>@0iUJWX z2y4Pc;Zxz7a6|Z3_(9kZZi|X&ibLXIF)1#HZ;PLZSEOO-Y3ZPpk{sz9={xC1=@(g- zE%}gKkSp?ec}@OU{!;#0{#gNvu2{-mOu8IH8-iwtB%@HnYyli zp7jrWXovgr;k6ku(}W5i|j@>AW}`%FH>A)uJV7fPNsn+?!i%Y*^UaEH2s}a(xiT_7;7YAEY%gPs_r@ z+uMy^z1ssE;`vPHsfs>92ZTZTG_O%z0`(TyXd|+ihutM)hBjIccS;+9I$d8VfmywAfSaEzzY|r9S z9ORlD=4`IU0nXtF=W#w5qkRJCDFm5-1gxWU0-f{eI6o3!Pa?nJ+Q27m6PYyjEtE~7 zI%%TZDeTp;=M^)K34PR#wA9&~WivH3wcaU!*GY@s<9q25DVAD`vnV<(#g0^aHh+?- z)QH=v=zF^)f{X(gOe~#(O;nnz)o{bE;edBOj#ve}Mu6#x3VKjC#9V+L8}yhq{OL~k zNxm=70x?QVcr1 z$KINb_S4JiG)*codM4W6ThaF{6BAci*Mlkgqjo?o1Potd%pmH$u= z5kAhxn9bPZ1XM8 zX;(fdPs+3MoSc=5@}~TPd`X5M%3p^54vXQv;iC~XawxJL`6%+M!YNT@T$xs8m4xCb z=ajdU3(7U+Yh_m*QctKWYF&L%y{_I=ceEkxur{kzwAZvZwTs$&+EwkA_M5g79gQB1 NJ`-Jv`ZWCz_!mLpjXwYY delta 1306 zcmYjQOKclO81}xsyM`=HL-TBgsv&J?LL#V?qH+jH8WJ2Q@!PSTWwJZ5hpcz4eKJ?-x7%=h}gIqE;^ z-(P!HTX=qP>4k;(a$;q5EtyJZvblU=y;v%5=r6)e!$ez^Dt>9(%FNX3Rx_JKHK&1c zbJ(k4&m;Gk9m4SEI9&teGxkhj#4^Dawvd-iAqyFPIt3d@*R<7O)52aA)E&j{yG;Nq5Zk2048i=2X#yWsyi_I`FQ=-| zrP}~M;qL3vX#ENZ? zAQVKV_yO`0^EjCmx|PDbiG8q2ExdXA`V*yDXdB3C3r#1`%f7C4hjxMK!Y%&+tHb0! zzE5lmAx$QKK0gb6RB_y9anbgW>$j+inYu}rTkpCyLYDa%FS0qFYJa4hF| zqf<^eH5w?g01bMZvWMquh=Nm#l(6nP4XA5pNms1r(c@FNG*hYIz^>r1EF>lmT*xol zCPu#N=-S`|G^kULlau6kwNFaXVuTY|lZU&(rn9>XOC4)1734s-X|a|a z6K_#jC+ffaPPojFTk3$io(c>Dc^+;!jgl4R?5R900lk_A%*PR>23|mPb(DNA5B8jHgF;|9G`t4( zC@Lbu%HUok8fixMBCkc>U^r%!Sz^|hEQ6Wr%nfFrd5`&uIbgnJeq;`ryR5(}Y%e>_ z&aq|oRrVeB6K;qbV z_vB0Rf}E5C`6FdVc}3Y*K2Uy8?x+!UT)nJjRa4zn-&b#{zoL9tb!whM9yhJEHGziMgr+gsWZ&6tlI_gSoy~M7v)i57 zm`%}DQIxdMbT3IDir6ZmNlU9JD8}c9riu>~A{Hz}L}(kN7Nr)6kD1-j;@l61JNKOb z`JMlHw*0TMY0o1Ex)1g|*4yXqAMkj6{_TP8U}!LWC^9rW5rB4#vm*f%PsRXr}ibUK+1`_oxL zjEk!7e^iVm&~sGX-r#;wk3lW!+SF21%cQiVC_~xrw?Lz=(!j=DD84sXQBgIB?x(k+ zRk9v6lVv-%wg_@sRLuV?_yXSEaF?u_!hnT&2c^qKL070MXV3>V7&8%xSJw^qL0J`r z{*5Wy(3;|X41M~ zCJPV&ziMhQ=!Ij+aTw}UjWN|QB7u}Fny_H$P;qX{o2I6wk>W)#if*BscnJbj&A_2v z%Zg%3q$pLW9o%oJ#FOc4)U|nI6Sl|pGAuE_PaKC3d<-st{K>z)ufVBuAUC}eJPnSc zZ(zKeXSAowu3HbcvD#&}F_eE>8I_B}sl1H04u7K;{cW@r$W9=S@esk9A$U7DF}2MIeJYeoAU_2?{HioRysN+DPVE8tDA1};I*(Krj<0N22J z0^Oju(UR0=Q5f9AXdlO;c}EQ`*`OBJb~NNHMSJ*4OQYJ>D%ae+avSs&`s52e6a7~r zgH|`l*YL3LUw`82>_v2wYoMklq?eJ?vFAPo{A2;V3eHS5M&{$iYP-(eXpMNvxr@{N z_jvoH#11fFVYlasLK8NaY_YrsE`c@4+cPUGb0aT|W?Ml5guz`)lt17F6`TVvZO<`xTx3RDAZhQbA!n63d_@9JE*s72~6 z>OJZc>PzY}b(LDDchC*=Ub=%0(h*vrkJ7Kxi#hru$8JZf9CX1UYc0(YKU;y&ko fh}*2l&JMF|6_*4G@dK;(t delta 1268 zcmYk3TTC2P9L9I#l%bECAAMtYK)1sG1_QiVlX@Y2qwTo7fP)2jc#s8>O zi+kuQ={kP69mSQLVdE2|j92Jd7$})XrE<3gB0+tYbq#-8K-OB^&U0s-`V`?NP!3q-f5gj0TXM%bK#CF0x0ZTYYI+nNV~?Q4Lh8 zZM5VoTcz&t%T#%px}fLk)j-!_Eq-KlUozheDHwuzOmc_tIiU%k;Ogt9H_#NH^Gk8;=Cq8!)W)GZ!Szm*^E`?uY zZ^xbN=1K%ha0&_s{tmo^{EsIDcnvPYimGmL96#dk$G?abjOw1jcZi#BE4WyRqEW$h zcD3*Yc0C^RR(er!ZtnW&@LBu;Gg+>~N%+A5cpt9#8a$2eQd2cBg?&OLwwTR$nvK>X zcpc8d+Yaf{>I(k_#tETz*28=9 zo>|W`o@WV)s3W=vKQTb)#0;^ASRfXO_lOUPPl&IG^Tbt>Aw{yBe2{D>N64qi=g4DJ z6}5r7hw7jb)DpE!eM4QMd0L`@4$;H(B)x|&&~MPE>5Ghq;TegkX6|F!mMRA}X}X!6AHxD8&-x z#(iY<2NNR&rmZtD9Ez$M=YZE#jf=@re300NO*Gu=YDNKJL{a-}142X&N)SaNp-8tq z5`%&y$U*xd!9Rpg(Nzu3!$Q!H6t8J}U5+*qRziY^M7v!R^_q$tTWgs6U!#2kvV!n# zrVy`F)!0n!e6Fw#iV-28{-0oTbXmJwL|KI$n&y8hExHQ6MVA|$Hl!fGiYcO^s;>=+ zvH*{VRXG%lD!>K=FbZT41QLKC3_>6ZR9K03l5l&so(XIhhLOD;y`thOqTJfwh18Kq z5UQa~35Q))73Azf!=X{+YL=tJax~iO2#bP>HY4@q`qr|kt*!0PEnqa47XFX9j{={lQ-w-zX9KIy^tIP>o1J9F>Kpf0ZY>ClJQ`Sfl=CKG;*-SN1^ zG+%~mxq95gmf;`xB2LtczD+KzVi#{_d~E=Fr^6ZbW>V74byP0Otv>Zl{G{lSH`IfwMK1F|Ip=h9es=*q*Xdbe@K5ye?cedtMm=}JNgd&fGJ~Y zmJ>S5;$RFZ6`4jvQf0F-_U*K2y@A-Rp HWgGk#jJ>;G delta 1234 zcmYk3TTC2P9LCRFcV=kQDJ3oyD5ti7S}sd$6D2XG0CteA50SyH8t91yH%iZDOCa40!EbH(!^{d4>cMuu|61yG0_>8T5}%e%s>Bp z-|zd*efxd;c=NO3;TMk7y?D63q48)_b4#n!<@R{n+I{|x&cHD#*d?RxP><5vr@9VC zB5KUtg8H>VupTu!Y(2r385#o!ay{$-{FAfjrLjO4a@CEN!arGC_2Zw{1jsJy(q%^8hBDI_Uj>?aB& z??G9Hh7{6UT`lz;tvyoIT!SbY)uPVlrLMk!Xm@SO!Hj&V`L%cg;`T$x=<2cdb;Urs zDeiQdO8=?US}M4XhFg4@jL-tYm2@7yNfhI1W{1#LD=P+UG9#Q>8QSNsmcm^~&44-^ z(Mv`^++oFqa#ZRz{ui|n|3mL&Gaxudc=vj%B?E=DXv}vctfQ#0VdZm0WOKZ64~Rv$ zfi4gq;CpINw=|#{_yP&>-*l0~oiPuHxmF7Z#yVUwjg658it0p!5$E^8#O2mN{T84Rg|f% zGvf>OO!xR*DtB9OiMVz?xRf7{1ZVcor!lmhz+L=vlqTljk8Qi~NmlR#=iusHc?m4O zf7_dI^dta)SMzVb3gAcYET=)00xIMA09xZzD(Rm}Pd$#N=T=n!7mewcLrMSTCjeaD z4$7^AChpCr0h~`yE?|i**@afq7uNw?c{2`B{EtNl;I+Ne-r&@^q+b(7e3E$tk8=X< z6LvB|YZWi>rL={MFY$K#GkYLkdC2p?M7BmZlgrofm&{0ZXywPb*B%lCC+^{2xIK7? zslczW(jNJ1<9dC3Z92XQJ^Sh6Xeh&j$a!zW>IX2MM<#1Jt` zj1y;xPl#D!fw)23A$}(rQXq55r^yBHyD5s3)lks+I~-pHoZJEozPCXpwf% zF4|8Yr$^~G=r}z=-(>*9F(OmQ>}RSOA9IXBOfT~TTg*1IJ~ta+BkTx!nthx7ko|`J zmi?an$+p#2Y};pRviWQg+XuEQwlBCtoQrGchPVrS7N5fx^5wk5ck`$CSw6+D@xSta Y33&n(Ji?gpx^PaI6mALM;nghoFM0g6J^%m! diff --git a/WordPress/WordPressShareExtension/nb.lproj/Localizable.strings b/WordPress/WordPressShareExtension/nb.lproj/Localizable.strings index 4e610cdc2ffefb344243473b6bb3d83afc649ed7..aca39d231c718ac1b65738c066e9ec1daec3ceff 100644 GIT binary patch delta 1294 zcmY+CO>7%Q7>4)P_IfR{Z4(mGq?tCPu|$**;Ly-RNt!^?xcRZye{tevlO3-&p6r_4 zu@wVSpb`=S4n=cANTn4>6u1;Fa6qkupr|T`B0%Z^QKZNoaBMQeABtor>vhy3tHOSAj(e^%ztmVqmRBv!*&cK;NLhA`yutPplP{1p zF8TWDMyJv~1L}^4sm|k?k|g`NesYYJi6VfZ{4}iS4TRS+Ro%606F}E>+@k8XfNtuR ztxoA1HS&@$d?a^Vw>Kctl#cOGtx-pgZa_m-sZmYo&bHSe+#jK}Vj)Nd#4d7!Pm(dd z=aH^)V7Ph(->ZF;)ZJj>;xvVs)Z5E zrQw#-g!yU9+p;{bl&u>&h5^#maBj+Gbab>FE`S%(BEPepN0G5jjnYMp&CJM+{qLCzPfcn$W$g zK`zS^qMC!qB#V(}4i^20VN*w@Pe(W1|4-5>HKmV=_9?}bKb5UF?d$@i_Q|CPpbed2 zzO=#|oGl=^7XAYxU_lMfLK{;_&oY92vPT}- zDF)Ph@TDg=A$?K-=E8iKxuq#xcaylse>Rwii7_qa6!Qx60rMgA6+6o=v8!y0y~h5* zA#R6zkGsNs&E4RB;cjue{QZ1CKgK`CFYp`utNdC16aG{F@(%wk|0n;CFer=*CxlG_ z3oYSI;eFwP@Ud`7xGG#1einAcgW`yIM4S|JVo7ww=f$_h^WtZb?;<}$ev2y63(?!L zYq4GFurwvjOL+-NSb9-9C!LorN?%Gp#kqJgUW`8*e=Yub{EB>3o{@|4wtPx{S$vht~ zrO>+5MEObVtz*xlclZs;ONT{62lRcRr#L`NP{9OwxilhZ)z7416B)X`&{!eZtAe`Y z`M|NCHuPPi;Y*`V9B3l5n8bDs%)xbZF3C2qZ6y+kV#aL&XhCe#CB7dP#!VCW(DKsR zRB}08g)aLIAlG%=%t^RfGxVNp2M&br!>k5;41M=0>=Q({gb{jO zJT#H-3?-jJ&}2g?r;y)pZQwg??uNc+&H=CqF@Y-tg|?N$zQ7B;r&q+@uFOfdQOl+Y z^8Ng@Wjii%>7U9k^efGwFT_ABlS9PHCZXjb`mH)L)-?*SZ4+c!z^S)2yM8f=>>9FR z(=H~V=OdRXSmPErm;0M*a)85}#jSCOv+3`V!$WME$>6w;2@{QLHODnelkHh}6@*DX zgUJf4v8nH;w<6tiTb2*7#GOGlLuNwEHhv-9Icn&A^q$&xuykq-G5sW<60`^yyE|MH z3HpI@V$jeZ3T;KJ=&tziP%doA zE(5a!u$u&`IEV&DK{kS06+{CyA+e|*Jr-f9@DZVR)j|4__Ef&Gqp!jxnd2UFzs}t> z^asOuFoA*Xoe45B)3$|JXfUzX5L*)FL1^)E$OD+|!O)_1Xp2+17PrMc&%Mlx{84^} zU*vN<<~R9^{3ZSk{wjZs|BU~Rzs}zhWI+>pg(rncVOe-icwKl)>=y^cW8#!(iJypH zia&@qBvsO-<5E^yk~XA^(yP*Y(udN|GAFCDE+3R1mnY z(ya_DPbepptg@lJsJy0ZD<3Q0C_gE8R8j3wbE>UA8>P|h=-bgBqyK2z+B@1+?Q`un v?XTGG*jQ{bR*qF;jo9Vbo3StATs#`@j*rBr<9V+A2z*$%^-k@S_=SG~d+xuE diff --git a/WordPress/WordPressShareExtension/nl.lproj/Localizable.strings b/WordPress/WordPressShareExtension/nl.lproj/Localizable.strings index 6c8ba8ac1e8072b89aac848bfab8119908d6fd2f..2833905417da01725b45566860f7cbc983b6d9f0 100644 GIT binary patch delta 1276 zcmY+DUuYav6vk)g&t`U}l1-YVY1-(uX_|l`O(f7XFCl57N!=uy{lD4Wtao?L&fa7) zGtSIzTtot*54KX;UMMJ4(T6^0UlboKqUKEy`=H`OMWG@U5kUn}!J^*TT>?H0XYRef z^PTUz_u9aA75HN|3qYEwSO(T9*aMiSW2eSne0X`U)U@@iA!Y-DteV{ZD-~* z4S861(=osrvP`-toCqf8Y};tiym*Yh$v@MRj@C*BajUsy(*?&v5n^uBR|11n7c#WK zk6yW4>j}5_Alq_1#+fOGN9i$skj@5F8Wz!TdI2i9W_X2o6+6V#5jc+JWD`yUVI31Q zF^|jJ^aXKbI&}`4WiX22&dC<7W*ZjPKuaW;&|>&VvR$Lr`WX9GhynB=sh8drM(Jsx z|Iyw_q&c|a{hts|#v<88jd&=^WFAOa^rg^m#i5Q=91JLXR0y0LDXf4-Fj})cVwtYN z#W~E?Il`Ho&LPg`EY9UTbc*)#s59$(f>!YkBv#>RkB$U}BAYSrYL1CKt0^LxAf5rK z80=VeNG}j~hq!JoX=~VnrltAT+{~Nt@$t=8f!vl`^tV6{oe+nk8xdwjYfG+$YM#xU zV-($T8pUvTI|<)oKMV#-#Bm)8DGT&w)=UwkBLFV4Y+4MB4Q1w`4z5RZX6^!jfvN-? zv<0XRP8DN=A?PjHJG#+Cm%#zE&>WbUb<3}4tYeX03=yi!kI;tn9sM=fM`zS2!3v+G zF9pxgOG?+7Y}~`9hOwhDk&jt54|!xu1JgwsGu>o)M;)sKtg~gC1Zum<1UNPQsyfw` zoiojv;dipa-P|OH=xael_d90k$LbL}piCSuhL6s}E`y`8#cq%7mB1n8D!YpI485nG z?c8L`;B2Gze`=~DO170YYe_S~$p`YSz%3RyxO71trrq+;;p{5LJIG-9W>S`+gQ)?1 zF&N)rLp1dv)9>2G`XPgnOM$cN&&C92<|-uzwwYsTzrD{vC9;)2n8**iRj|q1PK4tO zIq1p56Jgd$N<6b!K+s z(uX`q1rbV7KqG1zvR zke(;rHt{_AH@8DMaZoUHMBn94W``^jZ4wK-R2(cQ`-wPif}!hcjgm#YDylo4j~sj2 z(7Pu)AC0=@U=z%2l-M=2g12EK$`*)S86O|dCfpXn6-;cJ=LT?Q#x#+SD_%Sqix%Ql z?6PeLT-R|Ev$$L{^pnX$IMjh3WzT?*p&vU3ez_X#_lOT315YFv(hDc(zOaKm&?>QS=`Ch^f4ld$*s#fS5A*e-+BA(~i$=X^u&3FIQv#hd>Bq@JSx ziuZ&&L}-i4oX*T)A1aR9%AL18aQ*hET(WMm<@URw57A|DK)*vjJrA3>VfpkLkLW+* z&_t>;+|c_17XY=KhKoF(L821)_vmG9{r6U2`3Z8w}9^QWAvu*z+Cz; zlynTR$wDc{z;C!V@|`w!LqERaAl$^n!X*njwiP>bk=OB_zA5zGpP7Xwcs{A*QsC~8 zEt3(jGc%hd7iwVB;mD6Psh*|3sPQw|PAdT1^lII+Ft!c7w@stW)=&vtQm(Rs)Tik& zWn?J3g7G$D7S}RS))AY@V#Qf=ol>ydsoMk^J9Ig`Fj`1CP-$0#(PwENKj$=j!WKxb*0ow%nv2q`MRvM-IVKSUOjGREBU36kMo!~$r z9e@QAQHgBP%gThBjr-U(F?LP5E?=P6wTa2>(EwKQc>oJl33FfzP!rrL#ul5K?*#6! zz`>(8{W9KhGEV=lNIpw}b)VjBr+15Guka!e_!)!VjV>>f(f$6!YSacuCwB zuZ!=A-%BA$mUQWqG$qYRImwjjQY)MZzZm{5oc%fcYa|>Qi#!^6DiVvl5_voFVdNlk zOV;H_?JElel~7f6IMN?&ABe>V zhZ5WN;(h&IRYf))wITt6Rb(1;K`awO-egiw(>N@od&R?fkzQw?u32NT4#OfT8~HS2 zg6cvMMN&TIkZ@isRyFUNHZD1j&2VI$8btB zMiEJ+%v4lKr4b&*nxQn};R#wRSJj1^urW;ZgeP}Pwxg5OO{@}CQCzVJ&zjKB9A)1( zxp73(2`%CC={#3WH*;(0C%IrlFck1bTU5W!#17gD^?D6 z6IH{gCuwV@VVxBV=^LRqH=5ZO`SB!C{N$ibtC(`%P=MG@%0RZcBrl|BwobwUGHD(l zk!H=B)GR9&N~+i%>I5}<%Iuz|xgsvra`_tN~Yc*}Lh3ouZD38vg=01XgOlR43@ zEMN_12pQiqg~rlb?n njC4bKA-$CrjK*Wg)2gDum@2>M`6QN23so0ig?V0%> z-}n8WTy<^B=K}-3sHcTQQk3LWT4~$!(B6mJ)qNfNAL)GbK-a-Tk3HV~L=QgPd*sQ! zqy5L8I{tL#8STWt;Ik)BJ@@=+;mp}{FT9vK|I&p$FYnE^t3$&hqn#ID>3a3jFVKO7TAW<4@Vg>Fei0i!$snTNjwTC;S4Uh;U+ckAT~U*z_H7G zp22;#ffp>B`jZ7}(;6=pAgivbxu6Qjn$ao9eNI=~2jee6E70_qNLt9eblWZz$#B~-*`LVfzNj$iYspm1TI7Dhox_V&S<-w>{}CJu)^*r-FltyF=irO3u1>SS!=zSYfy1%EsE-}SV|rcc zg~G8|q=;6b4Qf~&$CbE;&B+c*IAg*?vw}dv}O;k2)t~+;p`oRAw}c9`*t5CN`-@f!?{R5k(U& z2j=|Qyals9%p4Aggwoxvyf8zlXmJ~6>(~zaTPxidNtoJ*Ef~B|eLIP-+>%~7Phs+z zGoPnC@FFpVDRs4D9PTX>%Z`R2nwa^xy>+^DwR5W_w5Ej`1}ecA1j5K<)(Pxj@qcY@ zGsLz0*Y3;LY#|GFV1Nm%!0Lc4P^5+Le{{4B`-x0!0p+6m9{LkSir6&YyT@v~nQa8R zFCY6aysI*5G)W9_z8QB*`t#9{h}cGs__C*1Il z#Zs`ii%x~oQ0yD%Cb}ggg?{0(a7~yLEa7$GhVZU%Tlh@)O87>&Bm5xzk&qH?iLS(% z#7JT;@mAu4#D~f5&G%QslLt2v7WKr&yH90F6WLth)eqa7b{zASZucc7xVCq7un7W?&G4)&OuQX1t xrr%88O5aX@o&HrxDZR>oa$YGbRplM!6XkQ|JLPBPcND!6LcF3{Yi%uU(%({Wiz@&C diff --git a/WordPress/WordPressShareExtension/pt-BR.lproj/Localizable.strings b/WordPress/WordPressShareExtension/pt-BR.lproj/Localizable.strings index 69cc9584a24b16e766d3ae6b6c284ac7a0097b20..e3786cc9fec2536737427677e46c9103cfa758c3 100644 GIT binary patch delta 1277 zcmY+DUuYaf0LEwkxwN5edQC35&E2KR<(%G5uG{YI zZf19{z4{Ooq@Yk!1`$P&`czaXRa~k<-+jg=LfsXSzU)7s=K9SjC5#QbWYgUv66Kh zvqjg%A^I-=LQg60pE3>i^x84Y#l(X-!#Ydf;?lG(lxc+@zr5r3sO>$_v0abpJX2N2 z=@6f$&v6N=its?`Fy2JI=~W7+5izVf#Dv&nRU<8k>d3IPSyVeqUlzwQ#Y4!dVY8}s z%|vRxW7C(UV2{`r&Geflf5%gCur0Azd~VUIk!5e z8y?IvoBvvw3#`!Z#nD)?fK6QUsKD(XtDL~Pf#9O!8Mft`pa2kP0s~l}4j^!V4P4;C z$LRnMyH*1xZ~-;2wt&xjbc`F#Z7gHYCl>VV(8P*ncqT3`_tE%p4HxV!n%3xwz z0X6YPRyS%a2_j+P#T+J(c~K{5Ha879L?Zz=~9C&Qvc9CWASMf!Deq?fTP zAhU@q-G)(Tj2)d$X6Qv_Z@QwfVr|IQ0t|H)lz`vCd3GThENXY`AmviM<|fd>s*Vw z!~MmZ{5Jm{{}q3izt8{7|H?lU`h>JFB|If82sPnV;fnC-w(yzorEpK!75)}S#Tjv4 zJR^EyOMF{=U;I$~MEpX$C4MLVBtDczqzNe_Wu>CDCY_PCq+8NA9sRLXtUtCtHW%L$ zpY5!4ZgoD8RXHtZk;b+y(yu$Zel) delta 1323 zcmYk4TTC2P9LDF&g&AgdmT3{8AaGhlBDEBvF%6n3ENcb1EbIlg3#_L*hh@U-%yMRS z>B<8!rkePm)Dxret$j2a6HVkzjp>6geUO^)WMX2XFB;R-q}4R3XD)4=m$_ul_y2w0 z|GU?BuWx^`O~3H!^i0QVvvczc>BXhY)z?pS6pk=@f)52~(gDqV4vKiFCC0$R~FIlF$32Tn)LB}31>1|`-OTA_}$iPNn z*0i_aJgVZ0v+RRuS4Kug3R%*GsDezJu7X~)GGQ3dLlrlZTbf;)+Y?J93TXJ zqP=R5oX30c|z%7ZA`d;vMw3GJ2B56tOdyfSwT* z{iZ}_XlKja9tP}}B?7K+X^wDrxXYZ$RjC_0MYp9QP02T(E=0{R(P~f)lLXV&C%ihc z%r}^%Z{N|MkEmYIHkcOT45s%h=g{9;haWL_CkABJG=DBVlrGTyct2fK=h=xY_b2CZ zboE z3%$aya8^hO72#Xq2jM5-7f}&)aa7EStKyD$Mf^bgO#D*(c~9abMbf2y={YGW6{WJY zCDmK@t`Vy&L-{-Vz^;zZ2h&--`dO0c}!S&~9kAwSN;J@pvMYKwNO~fTO6b^FPf2 BsB{1T diff --git a/WordPress/WordPressShareExtension/pt.lproj/Localizable.strings b/WordPress/WordPressShareExtension/pt.lproj/Localizable.strings index 642ac3cee33b5c32499ff3e99784b85f7ece6891..85cf4526f14fc536edd2d17409ce445dc4449c84 100644 GIT binary patch delta 1134 zcma*lU1%Id902g$o!z_H9c-h`hb14Ke3@WNV#Ei(>otjK((5(7+xzO}l1^?Xmu)t? z*V)*<4?~P&`$dE6*>S zCW{q|E>)N9Gb@FJWnoULem+f!g*|tn<$xGP9by5%ST<3sIdw6oc8ZVSi>>+DV9~Mt z<F89Bc!q-4xpi)+&FP7)LCfRJBDkX&v8(5JYrGHG{XYL=kYGltL+n; zU|5WT2On)4!xke;eD~Q*Hk~X^S~kbCVThfilTlLfGU|`#GSs0JE`U6+r+l1RHo+%q z-1b~woP?d?0ob#*7f84T-*UvUjX9LQ~|Me+HHenjVxLx&jO4#ucZtPX@ zyK(R?MxU6Dck6`=tp>KsX+&}8UldD{Dg7dGDUck=3!iZ$!t&Eq*JEM*cl4qAc3Fro zQTzQZ3G6L$%CK*9>W4xR$DVQmhZAJ9N?79;>@|vaDQps1tmmf!!YslhDAlD`q}QYm zq-)X_@=+oB+3Af<3-mV|iGrFyx)8EkF)^8Y71~bkZ tSB#s+E#o$dqgK>~2GB87Kn_|*@1twz8}tL(k{U~qo8NGvyOx6f`Uff=XMF$w delta 1264 zcma))OKclO7{_N{-WQK;bBHSvbyAfkrL9R-4$$&)Z6~Bn-NbLlaomY_vfgI1>&}i- ztRe!c0tX}%mW-^BHd4p$JACB+2h;~2dN_GBmCjfblaEXtJ3f6PdvazrmoF4cf&Z6grE!Yl13IqRe!@B)o|D)6P0%T*mI_>()FpF03+%!LMeJ7DfR12gF zk%L^HJsBH@m85M$ikvWC%uUzxEkyV=hzSWu;V5b@vp=+vxGi;ORYZ&jGD89@*V6mVGm0w14cDtyA;lFxzBxkZfrh<{3iDLq6%63 zC~a5+(P+>nXo+4Qi=9z+v6o|&kxB|t>;$A+oAN_UXs|4q%Nbz_%+4kHf zBD_vSo0O*{CRb zjiDc`vL|A2??BRan|w%qim7|1gDLtOVvl*L6nOkmM18N7gux=k+^sF>)y%&h^~kel zjNQXIfWZm~z$)JffWQMTZ~y||fp0)?V-9YsM>*gU5TULU@GR`VDGQZ6b~>(4dB*=M z4@Pw>4=!S-Vk2y~Im&ndSVtSY#$M%-i897sR8nlx*cYL_bqN%}_ke;9R~TF)9Ix~U zbNBv%mSv^E?c4fgxa4-E*=wPQ<{HpI7p#G&z_WrRj0(quS)nAj!Z~4G*brV4-V-hf zmxWJ-&xIdFMKr{?c(0fi>*9Iw1@Sd$Sh`EPTgpg|^nvuDbVd3~)?`Z_my7bed{$nU zpO@d1-;uvifTAguvQxQ7Nhvj@sVpmD%#Z!7#?>xV52+b-Nu}y}^;Pv<^|Jbr`mOq_ zCTf;8uFYzvwGHic?V_I0kLYQAPJc|lqJOFXY3wnw1~%4>P2-~RleyE}Z%&wb^KtWn XxoN&{eqw$NdP@}gJNN0PW&ZXTN57F* diff --git a/WordPress/WordPressShareExtension/ro.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ro.lproj/Localizable.strings index 100f37da373ec524810368c5f0f381169c001fc3..bf2d9dddc05893d88422cfb633d3f9bff32777ea 100644 GIT binary patch delta 1214 zcmY*WTWB0r7(R3BUS@Y@(j+z-Vos9g*4D&Gt8GN$nnsg0P1C(^lFjyX=45k{$;>*J z;Ko8w@TET3cpd^pk@{4s2sVQ0gIau1#3~gO3M%nIsG^oUh&~kb?4^PXXJ-EM|Nr-Y z-}mo!>~>r{bL_eCi4!L$PfeYkJ`+zQA5M*@GuhnC>|B1na2B1@4ZKiXBumR?Hf9*m zLq#_e$H;)TMaP8BJ*il!WR~fi*h=5#Uu?=u`{zvJF3wI^E_OUPNvvghiEE=pAxrao z-^NA1NvqeulI?m7XSksC(N?~Vj&L&7MA)4O^+f=$7VrOhiYhk$+VGyjbxG$Eol2v^%&OjhuC+4n3%Rp&2&fTqk}@r zW6eX*aL|JHe}qITKA9UchzF+`&Ht#3RjAM(#I8U(flaJ?RN(ga=1*aRAb7gu5!-T2 zkN^m*0s<^h1Q3*f4P4;C9@@e~HCOQjPN5Z?oWd`7w3q9eoR4GAcP!}HRT8Nr@l2eK z;}v@qXO0thg}Cl)s$?J!S1p~Z>1N&x3=GWI0_fJ01sgP!OFWT15;Bz8C?J|Cdp)3ofGIz zbYx2ni(IgZr6Y%yBYkvlaFkw`Kcs#rzjZ+haP)lOpkQl*)Rx=nZ;=D^N2QfM9!<1o zCss-((TP{k8pj+PIT#ukmXPD2B^J=%16^$3SIkLN^^wqFCElNjS-#2A1+6({K~_w3 z+k{B>d}NX}Ir5}b0evW)|qUF5gVvH zbU4(#o~y5qF!7Bw&+iZPO@@(4Aaj*j1A?FoUIrJyyWkqQ$&GW<+#FZtZgGF{Ccn;K z<-g#+;dl67`Mdl*;Q^sd7!(c*Q-UtMDqI$>3m*xe3Ev8T3;&2+;*fYkToOI8EWRPG zzazdcZi_d>FU8y99r2#jAsv#AN--%d%}VE`4e5L7mpy%fgMlM~nZTRDbZ{%Q9r`)^ zZ1}D4mGH;mpTd90vi!6>E}xZ&d_}$yX^YH6HX_^6hG&G01u6v$iH3w=EhkV)f&0_z^?E(0yVKs#z1_?H zDPDP~#$X~b2>c!}CWh#X3DFnOfG^SqAB>46q7h(P0i2h11Zg@RCe zs*;UVU{oQgO4}oefMB1p8Ggk5Fruzcl(QBO$SGmr@^|M3r$?w`GP@007-z2sHDi5b zmslR13;t)d2mVzyb+kdCg(tU9j?jS3yI!ku%<-8Qtd*)1o0iyKo7ap!IH7bKPw-2J z*&Ge+0Io{}{!#k&PPB{HjIJmJMp|y@5kC-;q|Q7h+*MC7i&Jv48F1I};V)^Rqgdd9 z&0tyD4fo{Uk<#O)lyZz(qA4>u7KENd0(XtQW~>``30A+{zDhg?Q?V>m)t-KlaMp7p!xke=AwkcG#T<%mQ32s1 z?iyR68XJVG$@N=1^Ndg{G$Z!V<06&Gtf*RN0dtLQpeK9aVY&~lXZqkqx(g_)I zvFQ_!q9fznu5e1m^f0K94Wq z5AZF#g1^Rh@jbjMsZv7fl3tPyOI7JD>3!*Axm(^P?~$|eynILgM*c~DplFJr>{W`& zv~pHCuUt_+RcZ_Otd-dlWwquf@ao-S}^bOmbavOL9-rPTop2Q%k99sc+K*>AmT9()ZI3^d9|y aUee#yujr35W0{G}LS{L0HM0Ug800@MHIT~y diff --git a/WordPress/WordPressShareExtension/ru.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ru.lproj/Localizable.strings index f794d36473e3cd5c359ab7880c3ae2a425148812..7127f8bc20ecb8cbd48b441f7f05328a54213025 100644 GIT binary patch delta 1159 zcmY+CYiJx*7>3Wxe3QM*?#?uqrZrtN>6&h0nlx#WcAGV6E?ud1lg7Q~o=&qTn`tI9 z%kCs}wGtGpsEBR9A|fg%Nb&NgTGUV!{|WU{DhL)7^1~lRlp-oB1oZ4~6r5o=ocYfC zocDXrxfZw9}rR9njy z(lM%KRLjJOu(v8Xl*<`KoPh>>gMX|xJ-&L{&(0f{g-qUvPGmW^_$GnX`4v zEEptCG_po?Vv;OTNsd^gKx}m%?&4K>vXqHBrmfJ#7(HuakPAfTV$@#Eo2qS`GMCY8T8?z4(l^VdqoZT4GEobawD1?M7CWK2Zz{^7s4SVT zpvu~b5k|>c`Qp4%y?qj;j7x{XV2QZ4M)6grAAgp2W3}gmLx)Bfgb>QU2!7)Jb+-Zc z!ciE3E(k*i`d|PKLMIGE6#w!B@RYM3XFbm&=gz+WlGw}PhNFw?#sO~}XXHBU_dbd@ zodFCx0}=&46CP$?53c*{9ZL*63=cpr^fPb?c*ha+QP{)&46}_wmU0hj&Q@%7d9ht- z!&}l2KA{|`(MgiTNR+gfP|RyD4BbqrtG!YWz?L_Xgb;ulwgex^{mv*#Nl$Q1JH-2ct7s(HsV#O22;$) zAy-halvaid<9TO&{qnYEki~SEIqxJLr586`emM(jIXo6=se+5{wsjqv7(2qOcmCTu zagri=k~~Y^CGU|hx#Qe8H^UXVTihSK!LRdg^Eddf`Az;u{w}{I>=gXM0ij126BdN$ zgx7@);bY-5;Tz#k;cp1A#vg_=U_%jJfp_34d<37u7jPTyz?Rq~?iWMr;*gjUr^U14 z3*vX;-Ku?#21k!0>A37{a-Mfxcm3o}x<7E=bpIyROM9hB=|$;^^p$kmqjGS$RzGr-|`QGwv$pQJ09Fgbbb@`HfUH(BiqKqpm$~ol7%Q6!z@S#%ss+P7_2-i<2p-o2G5jgeD}^Bx>TMK=WJwCUqQl6Hn}IHePFY zlVU|}4ycF=sNqEj5F9{U_&WfF3W|V34+s=hf{LDy5L^%lRZt{^R0OkjsL*KjX5PN{ z{k(U%^>XW_bl+nWlT*{DV(~;Wm7bYBotewd&F9Xj3yXQSR48g^m-XaOxvW=GF}7l? zvGj;$t!S17f1-1M@B?CwPyrdJnq%_`EeVcFCu z9m^4=yY^Tu>xP2aeX@5A*2g$&pMhM?76(rxIMQ8|Q3nN1 zV(QD(JW@vxbmKkn4cZS;snI(-n%8VP%`I$huOFI=s-;Dy*Mue}*%Nk-G&*)^-c*EH6c(zGy7(us?7?9S;;(JvY2UCsWQoOo~Nt#90|h&4w3)lr$^Y5x~kjo zra<8i4tJ$$$ST(6-b4XfbCgbk16D+T(bgFD?M#+L(LR(!jq1ifv4WR>W zihHB!ou#B>OwIG9%*U9$YL=*NRJG?w!=ypgHC5Bq1)bH#HechVR&Dn1su*n4a0@<; z`|%^V7Z30_jK|?2<>32I%e@E+{&jQ!Hhlds;0-o2+Rxb6)H7!L7FpOZDn?rO`nq`+0Bo&UO@mkm2i25Ey^o=KP{ zA@Bz}pjBpYfwaSyz79B0ce`1`&AhN?cSi-o_i)e%N9cu!FAAH|7;L$pQ3{xHx!u+I zaLLf)ZiO>S3m1HZQ^esd?|#(IZxKhjRCIvhM`;v(@OQwzdb2^>F+Iq!2l0dagI_#4 zS9CA<{S!!sPd&k=<>~?k@uQAUXZ(C{1DxzmpbZGuyrs0m1>eIPF4|<##UtXVSP(xG zzYuST-(wjQ?m3C)@Hu=DKZoDO@8Rzxmn2I>YLR-RsFaaP(s}9my06?P+%LK_ue-0f zf07k>pB$0rtjx~XkbBi3F54KWQi?PjytYqGiZWasQ=c4v2% znc38BwSm$;G(H&lpOhl#gAZw6G!H5g=!+D@K2#7DY)L^%u@n&>ywIX&FDTBy{O6zZ zpYQ*^??0D&FZZrb9eeH6_~|p@iO6JhDi%-dNT$-$Gnv`B`Gv)^WN9L+(OiC6FBFaG z5lvGalDE?_N;K6h!x+E2Ejd!D7&Vv^y5U3aLLeQjE*ZMLJUd>tspY6)yQz89A8xWp_}W0VeAD(Q2Wv+X^vD4XFk46EWMmpsb!hgOv0+E zBv15m;#HC@!WAKOG&M@fS!ygQ@?aCKS}{zbQ7w^RL>HCLWGh#j`v+Le=>~G$WFi|m>R#yLRC%WEi5ej#nuyTX9SGsx@Is6_RjaHzW`jgB zp*sdm#c0V~q3M&lUD9oPHd)b#LmQUPHFYy@1_lNenu%&R-GX0n0A3XOl9@2GqFFNA zgle3f9%U$b)2b~h&$K2{_qaX`29}7E6PUg&TS zz+LYSDaR^JRK*vOjw$T(4{fGA7(c6{4AV~;2t@^UxW0MY*Uj$1YI`39{GIUBy9L+X z^P6j82L{`4t9uSX;BVtONT@_cv zx5aznqqaS+kn6ZB?pkl3Y~OHy;eOzWd*1hKdcO30=h^oB>3zjJ>MeNBd2e_h`J%on zz75|k-$Q9w3QM0#_xvt@#&7#C`tSJvlCd0+hvcYyPX0)Ks&pyGl(6z9YCIfnMpSA= IxX|JL2V3WGNB{r; delta 1252 zcmYjPTTC2P7(Qn%?CgDzAXGv)m2R;YXh}3E#wG|W)0mgl8R|N z#4L|y)ZlPyQ>_>#)tELvt(QwAOjp^$G%x7o!qCvreB7!LTA+Fv7I80~8`Cu6(1IOH zM5mWxMQZUj!Ys?Q;t$hYDWi5J_Tfki{y2X(^kmfb)6B^g8~wKKFq?zN;~eQfl*tAP zOi9F-Zh0gPK`<=!z?b+ijLRLK`AJQ8NQ7Iscy068;y5kmn9&j%53?tnjM~w#OEin- zo&Q<9$@l0qkwE%J=o-AI9vnpw4o?Qlp^WESJ@mS&iyQ*y52=w{i5Uxk6TL|k_a23x`) z+z=0rr}l@EiZZJ4p)5z4Q?<&(F`L>m>K$Q|&^4+XG;6R{Y|AZPVz;t~x5RFL9z~Fe zs`x3SV+J_b!7B^M;uYGcT;5SSFogXjcsek9R~{u%4Q2T;#Vn5!$Ux@)mmj$YVbU8q zV4yJi0c~*1HAMJRLnTD{z6yT_dph}_6ERCwn{1dBTB@!%%v5_}!yAH4S0|+9o*v$@ zpy|w@Wu1{+v6iiAD26KNN3L$&I|8-fU{hh4OYn2-8hqyK$M?W5-UxK72jM&aF_=}- z5LQpXj<4_X;WmuP3W_!j)wv{_%Nc5134mdKX@c2vP|_TmoWra<#ukT3+nO%@PR)B zd!D2x8KzoAw@vjv-jaY*o-X*wmpHETtk*b`#qSkVZX|B-f$%LiSLY&l&YXgqMFhSG z9D!Z$7({~uxSiAYZz+5lTj+W8G8XXwp2D*@iFLe*FW_zbI({Et#h>Eq_y+z>kOhy> zE!;0m2us3q!mGk1u~$4Qo)9O+f_O#zT>MJhlN3pnPD%-BQCgQSNUun{(tFakGLjWp zmHXs-<#9PJ7v)X)#kSX6k}KuX7F>_J-f(^5`o?ujaVw`4s@Tet%Dc**Qg;X3)cvgc zZBLtL#1r?XyoPt(yX*ba_o45a@221HxBM^ouLq6w5M8 diff --git a/WordPress/WordPressShareExtension/sq.lproj/Localizable.strings b/WordPress/WordPressShareExtension/sq.lproj/Localizable.strings index 46b329c233844a240a3415c6f5400b83bd15366a..9703acf56fa97815630d36e2c7217e8a9fd2041b 100644 GIT binary patch delta 1154 zcmY+BTWB0r9LCSwvX{xujJY<3=ro(=Qfq3gU@KHf+r(Tp+s$5+W|MW2J=s0Gvoq_= zncyl?DC&cnlKQt`MTGh!YAISD6s(9)1am_X7RK{=of-u<6URngw=I|u`dd=t)v8&8 ztk?^0@K1GQV&1Ar+~U%-6{q4y~!ttF}uS=b@Z74843G zJi^JKiTbY05xj1ACS6Vx4To3-9XpQgEGC_rZWIh+B@Y>EWq4K`+MhmbSZmnKY3f*m z=2cDG$m4u6$&BW-?o@Nu8~1zIxlT+BcT1gcRTzf7!jAhp$Mn2otkeG!5~+A(aUxHs z9%DBDvocY)0$0SaFP*?9UZWsz14GMmI8O}yXq6J%a!rHHRbS*UA-S|0=U!0C_%n{qpxQ19i&nAdrT zhT5S`eh{v)=WYZ>;DUb~ZYi_fWfVi#k%OLO^^{mmc~oRo5vaA4K~;Jo8W`dR86h%Q zK@+I5t<_PasVpJPws0n9xE^+itqpGf=ZexZlGC(VTEs<9XGPT$C6zSm(lgEE6nPvk zPO)S#yDLGhbp(D3_QE;!AUx*}LoT!g=X||g*}AToptUgDsEWX6fsx~>xM!3w@}n9$ zfu2Y2p!d*M+!Pn%vRsY(n)`z{`Q!Xs{1^OX{wjZszro)Yx`aMquke5n71o3ogtNkj z!bRb8;alOB@Q)Z4$HW=2BvP>^z9zmczAJtpej{8L z{V1*d+H%0B`MP}rzDd9AUkTvAOM$X+2BXPzhz0jQ|^~@@{97#*5TIW z)@NETh1xoBO7ly=I$D){~u+owJ#pS?7|v z7D>UjZ))1}()u8@Pbvmc9|XY*Vx=#>RHaXX4?YN0YDE;m+u3X?eVYIL=Re>7U6^Zq z*ZOvrRBd`@c5Z$lv3NSUluBnVKiA!nov7E%MlOYG_7=`h61PTNm;S+>rJUF&lr%_p z`Od-_x@jXF>xBhkZNf!V z!)F#)gIJZ};o(BYX+Ts##G*y67cEcdI`mM*O=nXJt7!u{Yz$(@v7O8*RNgFUo!Naj z*n&UCzD+(Q?U5<$m5t`SOFZl{@Jxmw{f`oFqR=@JhF4k|VUrLY6?^E{+#rof?ZHA^ zCmu{P375Y*ceEHoRvDWuqM1eff>+Yon{uJI#4X#_T6>|}@}6E7x;pb`){$pdNoIyTj|($IH!$>Y^@BAfz|o@- zBG}p>{U`7wJs<7p-2_Q+7dYTWPytmyfDQ~`0g_GmsER2L93NqOv(Ty_XVXXfDUwiOw3$OcNr|2sNU(ht^X@KinHi9sF*^}} z==ESRm}5EnrfF+q4`E78`{~VaLe8DCSzMS_rT%vIYtDNHHhh-YUh1SqOQ91~RL8k) z=F-@<0vcc&Tmr9h0yo6XaZ6l|BiuReBDcf6&V9&z#(lxv=I(I!d5I75UHnu0B)`hP z%wOei2))7);e-$uD#EA2E#VvCdr=WJaYW3DMe(e7QM@9)Bfc+wCjm*3H0hx9gcOrj zq_Sj4PFthx2YF1ME6PdvCHacHE8miD%fBgta#ERAE+}s)?1`t*sdgYyGeFuZ{1vacIWJ7va>Vm z?AfJ@lz4rp#kS#lP^<{{No)o6$qIrGLP44b1q&iVkP6~U4Pv!Wsb_bB=$VIe4)dM= z_dEapfe1t{X2(w?X6NRUDJ`9u&gSwb3k!=&%cpR$q?2-G#aOMHwcM1hs}xrn*(AZb zYFiK!9`dB8>UFaX3*sPL=3ng3&NYjs(O4v&TpoH%+>jTEUKCRaD|Qwv*SKwu&p*u(W4!sS2-) z!-q3Ru~j1GvLcVUYR$T7W1Z-l#z2>qUFq$;>i$2-=CWZD*dy(PO<@E^g@Gq_j;XqX z%k=*WsdO@)kLdAx4lB8z0NcNb~ zs2Pn$AzjxoC0$Dw+9T!{g%qiIZ_=guT< z@FW}$+z;ftnkC|3*y`B@e|zWQ_uwCJ)jta_OIuL!j>CXV;LT9#$y|zJOUI60I7Up1 zK{U$5tfJ@89ptdacTklzH<*P4Svk!x%_6R1xD;-Brdma(P2p|tcpx96MwL)X9Jt_{ z0go~%*vez@pgiv%W5>%KOu)f$NGdT&W1&vKBY_BXa-j0KKMaCusf4%79FFS)v#K$ z9ZJ|+psbd?1n`B11`94aaXP`dYgKn|4>x_IuoFd%^?4kT5D7 z5)wj5I48U>Tob+!t_$A@e+l=+h&U!bFRqGIY>V%TSHw@m&%`gq8{+rkFXBCEuXIp4 zEKNxnsUW>3txLao);Q18-bruFyWqXzyX?E|-wgBxP6svuHv>Nf?gshbqrq12Oz`92 z=RI7{k)BIEH$r`(fzVT-mqKU5z2SY~SonkRweVN+UO6tOg delta 1288 zcmY*XU1%Id9G}^b+;?``sEL-)Y11Uon6&W&wIzj^q%~>2@4J`FI(Iv{+ummP*xgHe z1_>xFNI`4=4;K5PeboA*4?Zf=2f+qJ#VRP|LB+Qc1WUo9bGKFMEbQ$5XXf|yALxU= z%h~5%nwwu(Tv|@1(wS^7f2OcfT-9G@rLw`-Dpm7r&00^7*Xvd@v&`3>4W6Aey>-*` z;4VG~SUD)`gu+KscfQ{;=$dJ9FO%dJFZ-z^+u%AOi;a?HdR1C?JfAxDF`a0m!B3-Z zIn3Zje%7>Wbe^sAGqa*#+Le)!k$lQ+QdVK64J){p<;D$z`mEw5)628PWR!cs%lwR_${OlxOV-3rP4wxnUWEgzW3K4?mInKMH) zWp$bR4cDf=)7Gw&z4H!b8_cv=$>Kq5s{t?dg6!dax#v(7rI3j%@%)0;Q5~^tiqVqe z`Wz*ZFN!v*z@6|PcmlrG2H}&0E<0oxHlx!(v^|=EGGdQ~&Zd)f<}%ocJPTW~(Wk0t zwtcoH&NBgQ=VzH=Fjsi1p_AxO#vLaZn3GPo9h8bB?=hoQS;xzj-rR#F9 zd{{mrPstVeGxwBbOpKBKM+)qo-ptu}qA` zuEciZzsGkI;Y5GpwZx^wPUor4`OY^wuXWzkH0?2MQ~N@@rTs`0GENpzdq_B#MfCq0 HOKcNY6ox%>@4Ou8;L;EZCT4I*lNJaugaY9e$4O&T=YikBd355rcBa^4Yi1nP zs!$M1U;(;2geuWh)mD|t3Xl+V)e3V3h!rf5;Mzt(P*jPCEK8>{NJq zX7*ccF1Jl5nV_z#j#jYKF{0^e*`x<#znBbGD#aR|!e08b^h0ZUqB>VJ?D=fOw29@Y zQNuh$Pjl_GfHHKN?>=?1+Uj{TqgKkc!*u#*J>B#Zsh#fQTBrxBo#`Qx*Q!NlIzF#i zhFMUFWtFYTgjG|uf@YYBK`nQP{-|{MQX$REk>adpS)i#_trW|ePV_{A8KsxSHFTZu zDSd#t>1OoVmK6b2x3s+T?rc06i%t&fhNDg}LrX`8>qqH*+##jnq)2iOMcjIr9woY= zspA#LD4RCjBYCMu@-3UJ2UW+k5=o4a?;YC3bwp=k#Hm`Q>XaMzk_p2pl2nY8$_pet zWY{IcwzJ8Kt~sR9(^NAI3*6JwGt>N0?Pdk^8P`gCacBR*D9hIz$u^}LyO|JEDU_|+ ztY`U~dh5m28)jmOxVAv*xM)(@Rp+D@U;x&DAA;b64hYXf2)=|cbV46Uz(Mq5nR%CL zYp}{QjZO%_Y8V19BlShEpS=t;^tu1iGQbNF*uwm9u$6sm@qKn}A7)2SNh@LL_7bxH zLFF^R4cl4PO>ff@SkZW>n`Pu8?~%*H24<-XcxH0b99vucvDm07u39YAH{TxpAgMf? z2*4^>310!{l3g{|QP(loZ?1E$>s*+d;HJ15cawY07x_j07yc@Li+{jB;h*v^Q5$MU zn^7McLpgLDokbVWCG;1%jb5NvxC009{zd#9c5n@!!N1}^@OgX%U&D9sBm7cWCu|gU z2tgqwWQD`Rd2y>aD8|K#__z44l#>>uv(lf^4e6frSVpo(_RHJkaaos7$Un&!<(u+9 s3a@;w^eLlCNjah%SAJJ6DOZ&n%3bA=^4#6x?sZ4p8F$G=M_Sgt29ecO>;M1& delta 1197 zcmb7>OKcNI9EUyon0*u`%QH?w$UvG#JQAFOc!ig-6Jl@@$Ik>OF&ppLUd7q9cGrLf zRSp$!0HMHKP!E-;dO)HlE3k9-D|KlHI9vrgw7c$ocH_ z%xvz0zJD%nkW{czDc90*vS42%nXu_Dn667-!AlefJLyfOJC;t6GRb?%gnp6aG%Z%0 zE1PZ!S8UhAwskb8wG1?Ws+F>>8^oB3n$|oX(-+A3DBCctVt;@CRMM$oy{MZOod%uy zWY93Mrx)EsDjuCllyrw3!^ClHCwW@W&*!w()N&kd#_wg{f>~w=8-|IOFV)Yxrbk>B zo=mc&w<$yQ6gsNlb=hVuTnC~9LI?dBd_+UyCUt7aFg+Y&74H0WW#e>6xALUi1Wk^S z%O1TY`#~4|S7?LHsk8zoKb#Ed9x2*REgP|1;&_eRY^q|g?Z!H%_0X8osjaYP!la;A z%O1TiVfwew6G%5FR{Jnk+?)0!m7-S62sK-c*Qeq%cZZmUYJUnUYXEE zu8%&IcXVZz4P@d(H<*FhIPt2Eg+05WfsV^tT4tMbu-klCdY|`ioI^dRy?}NifKIXH z0R&cS#s$=l22dMnMF$aB!!y<7%^Os72#uh=#&wAWMQK27s|%&yN*&|>PnwB3Py~J4 z0NT&822lI^3R{YG>Q(brS!|t0L3S^K!iZy)x|i7`rqutAQi8TLsKcmZO|iIyLTEQT zQh$|3tu>^|D^gcv(oe)e^uDh31+<5C>19k2)VE@7dyx@tV_k!2J0l(WkJ1)>vajY_ z^j-Je20Z8mXTbzW0~1^U*T53^415i~0pEcq;8*Y$Cvqz1=MHmWZif4myT^UOck;XW zef$t#Aj;gRr%=o4j86T8F%Vo1!27sLhe8H8{b zJP1c4Fbges1AYk~!N>47_)_voNa~l4OKIt0VSm@ bDW5A3mG6}&%0DVr_o*k;ggQruKfrGQf;CtF diff --git a/WordPress/WordPressShareExtension/tr.lproj/Localizable.strings b/WordPress/WordPressShareExtension/tr.lproj/Localizable.strings index 4ec26d9974c48b306384636809f07796bb67f4cf..996678c100c11129b625de502440d0d72ef92dc9 100644 GIT binary patch delta 1195 zcmY+COKcle7=`b={2tHHJlrS^y@{Jg)iw_(sDPkKn<#1Gq;5QR;yQ`B@mxDok7wNR zIK-e(D0EX;6n<8S1(Zsacqz~Ybb&w!2~i4CgAnQhspEdLYF5wTrQh6m>1jOJpWYlY`nT;8kObD5vxKS7sm{%2(NM-P!Q%| zf$w|iT(w!<+QDVJ;xe6wvuYo-^Br)I3xX=*?%5HVCsos3NGub_unL$uj_ss1r-n&^ z7?yU3^+b=OspI=v#K)GP^*?ro9I;6GzOYgBgw59H@@#>&%9w$*eSKZ4WSPP zgzfjW3}M|NdH4SciR4TyJ*pcnjx)@=D5IMw@PiojrV`YoITr+OSMS0U)eVA=mR-ZP zDke%Gf>w}$EL1=km644q$i+RdoySUgGZQ>bN>rPst1k3%(b(b)b*qkrUAqpE)C||8 zsTo?bSLp1BQ7IXfN+wy>iA(E|&NqCsZ2J5A7aIevG}40Kxn>v?yJN>=EQ-cTrXf{7 zJ9n6=6l|xKRkv+5v6=B^8B9z|kQK`E9CeK%We|>mX^{o?OE>~8!7*+k*yb;Bp22t4N7*|ez9qC*_4Q;XJE*JIRy4LK2{+#n0mWtW+-=IxZzcL{A3 zLu>F+K}QBemHW9}bl=V^EkiO_9So$4E!F zkd;S=5aF`OWDCVSn%o3OIvbqiBqV3e6 ze8j)%zv#aecq9-HoD4h@I1_k1@O|KBPzcJwc<|Za)sQ#zU?>q<4}B97`F3!e{v8NR6uC=-gUtSWE9^D6!qTTgID delta 1241 zcmZvaOKcle6o&7ehdqAIq*3Ao8s(;`6H!P=cnKkbNS$EvY~p8JCowmkYiH`Q$IOgV zOjJdvgcU-iXMT*VYR!(2b(bO65)COvOx3*6U_7 zlVDYAi)E(_r)oG3+{I@BOUJ~5M&M&1l8c%;DH$enGD&8#qMJ(6EmqL9rN)M7IGdzy zIWDnkPZczEynSfYO^fPG&&?aP3R$F8c6y!%j9PhgbTpT;n}n9BQG-?7M^`3wow&5@ zB-4rcwd5wX`7^?7+p<$9X|Yn!BI!dp(w2XSe_MVETE}zDEpE2nJBG^~E}lwprF$yV zEftuRNHE`KBrQWQF5M3|@esu1PJeD%H(avB5#GG9{orbh){4w*8%-^;m)wHZ*}^5d zO-t^7Q2XI;sn^ps0!_Sfd?iL*R<`VBex~Ly+dU|iPuF!GKKL(aQCN`rw14eqr&x(L zOcy>72>dBU$1?5W1+Aym1xA`y!zPZ)CCMhU8K+xYV7fucsk&=eH3xndhCS(&;hGF~ zgb}zU4#cvDL&+u>)%j4?6U=ScHR4(a-V551MT^iaYM6AxWbL-Cx9bw8-FtXf?D1yO z&2qz}Fd6Q;TvQ?$t^_OaRVdzBL`lTZubDa8)R}8(-6#h?1-js(FCwaF9PSGq?X9Ad zh~j=^B8qCr#p8$|139P)BWj*+S7+KaDvYDp24NLWwB#R< zQ*nNTP#`u`(7Ka+#Qd6+nQPdFX*4anwN3Z(EUg!Ag!WtUdrw z1pA@Ga~aNsquy-Ns@b#x*8|VsLC^vd@U`Cuk9)5VugtYaX#5`lLlq9hEUgn3)CknV z9dJG{({l!8IHk?$C~9)j17=Gb;8q6VsJ~yd_}K4wCV7!=*q0~ZIFIl86I$t@Nd;u` zq>7~t@q}2*iEL>jypKL*MJ=P;p=!0I3spG+UEzLM3OovX;V75xJ|G?rsyj$QO|*kv zLvLUa593+9j5FB4+jtjWz;EME@#pwU{4KtP?+CKs7kY#zg(+c8I4`^ zz4^Fz(RB`!XxlNo))ATYsK1tm;aTYt> z(vB7}rlLhtTTWM%X>k*G5Nth zKHvHMzwbNqu6fsV;K}_Rod;g@9~8T~13@XYE!+`__QZPQefVq=cz%b2Q^TQXfL@5IT_%N?t@9Wpj-XYket`DDFE|%BOeRp zi$G4vS~m2&oJgY+Ov|1~o19HReb8CsvuTB#ZpbQBL!q+KLFWVE${N`FyUOpRrbD!y zb)gm7gLc#PkGgz7&C5yaUV;=3`eW^?W`XXq&Ht>lV=L%7)5Jw2sKbPXX!7Bf{)14} zWYCqfG$U*3gha^12%!;KB1HfqM;L@jSfClzQ=le>I{~7cfguqdwNMM$9mEKbWhsA}{TS}{m((Rec zrK`%+H<2IF4}9Zx>00JBt^aqistc6M^$}p~A_gefu;HvhhaIlE@?UWWoD~0ra79`z zc50=We*Gc72;pl{j6=hWWUyQFDh zzL-iUq8?1b8ql1!9o;>RUB-N;+$!!NR9(EKjQ=!#({SF8()0^Ic<}Mhq-!`_rTbHS%fyC$>ZJgz=rIv_2KBT^)u23t~uhc5FPH(0g z>D~0>v`8oD5`B(dq(7%G(pTxf=sQdk<6{m?FvE<+6q&Qk0`oC*f%$^D#4IyEGwbYw z>@Ic>+sa1RIIFTp*fZ?g>;-nsK{y15*8v@K9L?2ptz42za~3zoz06H=XSs9Sr`#g< zJ$Hkz;@$i+d^?}#kMOhnoBVnHOa2nS#Q!bO0xwhxwL*iiL#TdCctOYr$AlBYN#PB2 HvVa3mT#6dz0sB@at-NW;X%qFMLQJ* zno`;bg#3MpKt?K5+aM|w^g{48DK(lD8$(+-Si|qH{)wNYxbt;nrZS}8P)%f1;lW^) z^dF_0P;f5`AB@*#gv1c;V0YsmsaEXf8f>v{MK$3-b%goF$$f)vDVIW8&1lerj+jZY zfs6~4f;4RYZ`2mN!8Y+VBe+CGpNP686Q%V+Dc+MaP{G`kiih$_wY<4bicZ|mI>c@J zkuEeW6*Uu|qanV}IuC?v;z`j?Qb4ez7YooZt4NqZ1yr3b(T@~Wg5JET>Nx|i(rtVw zsG1tWW%_Bn%sl3fY&}ZEk0hn~C_{c^77ICO>YLt^V!cO)(wL-blB}UxY(q6&XwCsfAefAw6vbe~XnpvA)oVkXrymOC|UH5;I5hkY; z-&>x~Pc_Y~%ClF)w{)>CaTiZ)H3Wh*N(|-NrVs8;^63V;BE?v;6j?f1i?C@*%=k zhVP*-$U+x);y$5yhsWlHv5wt=A9tGP3+zni1VpFZ>7I#KNvj1|N|v(aJ_zq_XW;-RaxL7moSTbthdIQJaLe31-ofwX+xVAwFCXR8e2&NbNBmj-9RCA< zi~o)PTVRBG!7ccOxNusyAY2p{g*%`PwCxAafmc8ZWWaIoCAbWhz|Y`Uum)+y^Te8dL-1(F%BE&u=k diff --git a/WordPress/WordPressShareExtension/zh-Hant.lproj/Localizable.strings b/WordPress/WordPressShareExtension/zh-Hant.lproj/Localizable.strings index 1abd4023aba280059aec6458b22cc9044408c21c..adaaad841a4c6937f7a9a7143bdeffe44faaf07c 100644 GIT binary patch delta 1256 zcmZvZTWB0r7{}+jb0)E7X%m|?Mkl68Rw$dM6kCN7Vj4~AX0rE7b~owlp0k_To$PFO zX4h;k1gve-v?Z%2l~`0ze6ki|MX_MOw}8|KOB*O&NED>_60F5mY>hL!L8!<)42SPK zzw`fo->JG&btTvHFZcByd&Myz4mw?KkM}8GpFa=`4TU4o;gRD~EDlj3IVz{pO0XM3 zL6?$Rz>Op*s2SW#KV$KAXR}HXN0>(Z0X0<{aOPu*tc`~IGaAb2f|c4>KT=CawaLDTu#k}yt$$v zB_%oIeNl?1@kyrru)jyj#E~*$t?8`L@>xZdAc9`65p=}5+qZodD)oKFKOrj!Kh4(R zb=rnI==uY7odV2B3H?!m$LDs0dZDZfP9x^OQF_fN_y?wi^Lvnj;yR|uz3tHf1Z7DW z%<8h5(G1R_hQghuE>8?L8>nvm&45T!BX714x_+sPKkup8<5Tt?8< zatNPS))nM;qcOFB0!L+SOxCopFAF6dm6b*+a~p2#cKdMUAZQg^_&2f^?`K-YA%~%& z(h{zq%6Ef31|_NHiX+yY+nX>Qo69g@UXN5j5G@DaOEpZxgnNIfVQ%Bq%V&PZD_rZ7 zu}~myO9yOe=(dQL29FnBN4?@%!ft*z#PvKLD@+ge!T5C-Dz(fwv0`b(KXFHJJ@+h5 zvEwyKbb4~VFg-UqI53;p+JpZ9b}D)Y9|5ghWg_mF{}8&)&nHA8-5eLIL}H1A=bYhd zu4MRXYP?ywDONc@HI#M|!qln>i+R?@=46Ah0d}#|P_@=z)lye$)ScC-#nC=A-t5`T z+h(pz-onp;_KswPJJCPchX2R%0I7y0 zN38hQTQGLv`wM4a;x1Y?Z#}YNXijM=Pn!?Jd!99OAX7@ky=vWQM!@41VYZxYfp?)w z37TjV7;{^ehRa2B0p`;}Tg;q+07Q{^jhH7sCaw_QkbR_+jF3h0Tk;;IP_xuW)YsH? zYMuI(+N2)PPtZ+t2Yrwh={S9sexJTduh6UXP5M5)#k4S;%&}P}#pq0td55{ge8POe ze8pU2ZZWr+2W&IDk3GzGvwk+rLUx>8WZ!0&+27gw7ShsYiCfND9&(RyhqwqQaVbvY zCb<*b68A2*%zehKaT@@D-M|hGfe4VmG&l(s!Da9{SOLF)O>h_d3I66ezLww7#2@6t Pe2Ulj3H~%rR0;n8s+zA- delta 1220 zcmY+BOKcle6o%({XB>($P=z?HqFmEB4K*tAhAL_uv?z^*DnWdTx{u>%6lV$MDH z>ihryoVBL4ri%BdaQwu`$&1E_4xzAiBLE)8J&tv$7dutp`c_ct}XKAyuDKbshgf&SR2!mW~S$U#6NPPECPHRYUrOA89CI1pHD7#Rb7rlr>dP z!+cIRU@m(kE;J6*55>HelN6*x+-f!hMQILAy3K}~P4)KnMgoO0lv0wK#ZzRf6dqI* zXht!Gza%^u#SJh{9AtF!c)hPkw{zbb=5$+2@eEJ z(!Z2pi-J!wa9^~Z5n6`u0CN!EB0I2)-QN%yR#XFe%n0YdTY7%VC1n#xs~Zi7Xu*gJ z`>nW8DM(4 zKs7XkSE(L+hjzF^drJxVkffMPnf4*0Sja*nSMweho)&XZDoLs)$r`GUZMv=t_4@4b zd$he#j)aO`a{14<75U=bi|6ng;1rhlgZN9ndrYn@_;1VJ7o*`6I=gtUw7i}kA6w1t z9#CVyi4C5s1SAFsxOBt1R4Rv7Jb@<{2U3|tsB6>aMMSUlDc(0Xk|L3DU=lc66to?F zceZ6&QG7uB824>_m=GI8qDtb=I0tUEH3QkY)o>$cw=0$_3tK~4HY_37ffJzHUh7$o z>OE!U*Udhw#M`XP@xSdR#3w{z=|*abJ3X@aN)7V`&aqD10gg7yK2V)j5;wib5>k@C zqiw6e_qk41t_mAHrtK!|<^;3Tj7M#PQ}*AUThD~LGPMZfGo{ziu=x63*vSi9JC%hh zix;^zX11m3#{0Nle1t#LS6UuFk@WRfTGsE+Uq1Kq?g3?UXW}QzF*@b&KP+~wTv_~H zvDnsRGWa_G%qqbXWnz_BBiO1)3F($CR-^e~;GuhC!AJM=wXVtBTAa?N z#b(Lo!sf;1#HP-sl?EhS*o@dbfV5#cn=6|Mkm1gz50Xn~Qw1v30Wvi}Tn<4gWleoM T?tZW^rao zeo=7_i#&@1iz$mSi#3omV=-YdV6kPfVDX=*FFLVEST+kNZ^z;Ylyd@#Iss{G77GqR NaRoJfkLZcLiU3dC93KDx diff --git a/WordPress/WordPressTodayWidget/cs.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/cs.lproj/Localizable.strings index 88e68efb8923bff22c6027cb7d9e0dee8cfbc054..d4410f5ee6563101b2147a122777b6f98d4afc9d 100644 GIT binary patch delta 133 zcmdnMxPj3rsURn_xWvHV3L_IU3o9EtM}%{JZftZW^rao zeo=8ILli?kLlQ#~Ln1>JLn=ca!`n;-Z=g^vm{Y>=kTH@Wbz+XRLNXVtBS{&h* zpOTrFl2{rMnOmNkQ(jpV>Ykrdo*wFvpO%)%AtXVtBS{xCUS)5st fUsN0kWaMS$rKc86)R*Vr5ENHX)3 diff --git a/WordPress/WordPressTodayWidget/de.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/de.lproj/Localizable.strings index 5c5542c7df066a3d11ddd5e7bd0aadf10c3d2490..5571a1f4c0333162ce8cfca7a249e5e851c0ecb8 100644 GIT binary patch delta 95 zcmeBX>}K>zD#*z!E-^5;!pOwT!pg?Z5#gMlo12>2%#A`p)`z20sx&hA_M>c diff --git a/WordPress/WordPressTodayWidget/en-AU.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/en-AU.lproj/Localizable.strings index 930d90f1f3ce39c8fc30e99e35c25ed835e40c7b..d6d23c2c2aa387da47f2a7114c235be53d297e53 100644 GIT binary patch literal 84 zcmYc)$jK}&F)+Bo$i&P7!V%8-xw)x%CB+e8nZ=nU`9;N{VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQUF5S0J` literal 84 zcmYc)$jK}&F)+Bo$i&P7!l7ZAspZ8H&iT2ysd**Ep+1?}sl^dtnZ=nU`9;MXg5nBl R3}C>>2%#BRp)`!r2LQIC5R3o- diff --git a/WordPress/WordPressTodayWidget/en-CA.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/en-CA.lproj/Localizable.strings index 930d90f1f3ce39c8fc30e99e35c25ed835e40c7b..d6d23c2c2aa387da47f2a7114c235be53d297e53 100644 GIT binary patch literal 84 zcmYc)$jK}&F)+Bo$i&P7!V%8-xw)x%CB+e8nZ=nU`9;N{VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQUF5S0J` literal 84 zcmYc)$jK}&F)+Bo$i&P7!l7ZAspZ8H&iT2ysd**Ep+1?}sl^dtnZ=nU`9;MXg5nBl R3}C>>2%#BRp)`!r2LQIC5R3o- diff --git a/WordPress/WordPressTodayWidget/en-GB.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/en-GB.lproj/Localizable.strings index 930d90f1f3ce39c8fc30e99e35c25ed835e40c7b..d6d23c2c2aa387da47f2a7114c235be53d297e53 100644 GIT binary patch literal 84 zcmYc)$jK}&F)+Bo$i&P7!V%8-xw)x%CB+e8nZ=nU`9;N{VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQUF5S0J` literal 84 zcmYc)$jK}&F)+Bo$i&P7!l7ZAspZ8H&iT2ysd**Ep+1?}sl^dtnZ=nU`9;MXg5nBl R3}C>>2%#BRp)`!r2LQIC5R3o- diff --git a/WordPress/WordPressTodayWidget/es.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/es.lproj/Localizable.strings index b2d7bde8997a6431e5bb33228e569d757a4e0087..0d515c58e27fccd19c19b6520022672bb04848d9 100644 GIT binary patch literal 128 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{x0O z1xh9sW#$)0ffXd?m82GjLzu-8zNrf7rNt$Q9D-8Hn)=pmehgs1$OxesIH5F*3I_mo C8X>v> literal 128 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&Xw zBo;>l<$=7~UbiBS;Aypq&n4nc7RHGOku9|kaBWQ5QRoKPA@g#!R< Cmm#PC diff --git a/WordPress/WordPressTodayWidget/fr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/fr.lproj/Localizable.strings index 8907edb7a4e08534610fd4ffc66541eab4eff222..7b3f07f75cb27d0db46f8ccdf0babd62e0d23ee4 100644 GIT binary patch literal 129 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{wtF zP0TDxEsg}MNG&ZY4hbtwEly+bQjlawWXNR5Wk}@^lv38zw{i1k00Txw2+hC=rD0SA E05V1&v;Y7A literal 129 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&jk znpzwKl}yYmN-a)f@KTUuNMy)l$Yn^41glFeEh^>^6jxBwH*xf100Txw2+hC=rD0SA E01g@-p#T5? diff --git a/WordPress/WordPressTodayWidget/he.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/he.lproj/Localizable.strings index 3cbc9cead4b63562d9e6b47d7dd5dc20f7d5ee5d..ad53abec10f7af27be12f8a4bf53a24e61fe2bd6 100644 GIT binary patch literal 150 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBTAarE ziuDrfRo06@{3?z09+2^z^#$uq*1K7(msy{H7z_%m4_Kc;*y%vd9iZS%pempghoF?Q VroN4590M3IGD2tuPACndasf<4E2;nh literal 150 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGh_n zne_?lP1d^%3ak%UpF!AZtgl!vv0i1p2*j__fiic1DsHkq2dPVAy$2M3&iVqx;Sdy8 WP}6q_Oke;5Mn(wDzzL;cR4xE78Y{B^ diff --git a/WordPress/WordPressTodayWidget/hr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/hr.lproj/Localizable.strings index 4bfea9a0f5b5f05155dbf5b964065e03d76b2847..beaaba3b89f6345c1e8ec75a12285b875ebf345b 100644 GIT binary patch literal 119 zcmYc)$jK}&F)+Bo$i&RT%ErzT;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{&(} z50XqQ%8UufFV0FW$t+3D$;ylfC`wJwNlnS*5R_8Z)VFkF00Txw2+hC&rD2pm0NG(4 AO8@`> delta 74 zcmXRfw@50;$t*50Fu20V#LU9V#>^fXmYG^!9O0awo12tZW^rao Zeo^tnSm}xSdK?^r;tFc|Ua1os6aWY_72p5> diff --git a/WordPress/WordPressTodayWidget/id.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/id.lproj/Localizable.strings index ba399c842d5ed22732f93d46d71207055c5ef4ee..05d73c8089b9b12945336ae911870c9ba4fbc000 100644 GIT binary patch literal 134 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{yGR z=$#LePAt;RhBBf8QuESF^Ri0w(j&bgbYfmeaA|fThoF?QroOXZ1Opf_GD2tuPACnd FVgYOSBdY)a literal 134 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2=DD znwM3Ym!6mxFCgfh4^om?q?-+8gansnCq@ON=A}baaR`blsOek!1~GsEBO`=n;DpjJ GDi#21aU+oc diff --git a/WordPress/WordPressTodayWidget/is.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/is.lproj/Localizable.strings index 6518cf4b8dcb018ab08c66b115dd34b8e114bb33..77fe8d9ea4edac99a9cae19c06c19c7b7f9c2912 100644 GIT binary patch literal 138 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{&n8 zl2MwTSe%-hl35hyo?2XzSrp}#lUh=enU|hel*!=3@RlK)A(5eoL4l!+A(P<)hoF?Q VroN4{9|IULGD2tuPACnd5&_?qBMtxn literal 138 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2=1& zlUh=enU|he6ysQuQJS7uoSK`GS(M4(!|;|Nn<0^*h(Up&j3JZZLzsJNaY<$ohoHEE Vn!c5L6ayGAGD2tuPACnd5&_D*BNG4s diff --git a/WordPress/WordPressTodayWidget/it.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/it.lproj/Localizable.strings index d867ffbd4051364631ddccaad34bd4a39b4d1601..96ff7c211b14a4ee7054c4fe60855250c8e46018 100644 GIT binary patch literal 120 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS`3rT oi~`Fh0_8Kqz|7PTkOB@tDP>K43ui9|Fkoba&XVtBTAX6A z+2EnUXM+>TU0R|34Xnu>8I@M41<3|3K$y!RD5b2aZ(;Ao00xYV5SoD#O2a5$0GDtb ADF6Tf literal 118 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGi$A zQE8Q0kYcde;Gw~1gA>UHEXVtBS{&^S zkxeX0Ey`eUVn}5uX86I74Wx@0QX_#n@-p+%Q;Wcgi#PXVtBS{xCS znwVUYnOYp_lv5tN#kT#}hu921_HSd@}ll$n>FniuJmT9u!gomy1PAt diff --git a/WordPress/WordPressTodayWidget/pl.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/pl.lproj/Localizable.strings index 4b77920a644e0210e12296a76f7c7ff421acd510..ff483875eba8d59ef47cd86ba797fe3539454f06 100644 GIT binary patch literal 96 zcmYc)$jK}&F)+Bo$i&RT3d9l4`MJ5Nc_qaWVVT95CHY0gp<$V+<;9^snc1nuQQr9= c$;6_nR1QHYWlensFkoba&tZW^rao qe$m7LnTh)1vJuXuMJ1UjiN#T1@x;86)M5@naRoJfuf(j0bqWA5wH@97 diff --git a/WordPress/WordPressTodayWidget/pt.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/pt.lproj/Localizable.strings index 444dbf8337ed1eb8d57a7d7b2ed9371481447966..bfc171463d42b8f7c11e5eb9aaf41ac5a8bf935b 100644 GIT binary patch delta 108 zcmbQkIEOJHsURn_xWvHV3L_IU3o9EtM}%{JZf$vzFT0< H#2N(vGg={- delta 88 zcmbQkIEPU$sURn_xWvHV3L_IU3o9EtM`&1PYI$*lbAE1aYFtZW^rao oe$m7LnTh)1(qZoT#U=U0QDD);ypq&n4nc7RHGQwdjEOZ00P!vz5&!@I diff --git a/WordPress/WordPressTodayWidget/ro.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ro.lproj/Localizable.strings index 450cfdac5ac32c73bd5a4f82b51e6d3e189216ec..c461b5a57a2ec91c1e7fa34dc0cdf6340b75b939 100644 GIT binary patch literal 148 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{wzG z1xh9sWoAZ&WmaXDBmz}rW;28_WHMASlrkhTX<9Gy^A;hEdr7(i|dV literal 148 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGiHa z#*oQS#ZbzS$dChKF)}k0F=R#ol>=2L7G-9pGXyZ?07a95YDySVqrx()GD{MHdNVl$ Y#TC@_-2xLBz<`kvLNjneX&99a07WDsb^rhX diff --git a/WordPress/WordPressTodayWidget/ru.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ru.lproj/Localizable.strings index 274ceca905a56dc2f719db1fde43bc19963e64c6..36881364381b558be19c668f716a0d23eeba8a5c 100644 GIT binary patch literal 166 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBTAa-y z#bU=|1B9k5wk%F81}qLN7AzK7Eb>5MN1&h+kn04btywHGfr1WTVH+Un1Y~=svq-b} hu^0l?fP_pr1f`TU_1&WL7{Gv$5kfO?LTMOP3jk2+9IpTX literal 166 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zRGi5o z&*H#h$KuFh10|xYTD#*z!E-^5;!pOwT!pg?Z65*Vmo12^h delta 78 zcmeBS>|wM@D#*z!E-^5;!pOwT!pg?X9vYUJT3#ICoS&PUnpaXB>XVtBS{xCUS)5st hUsN0wm7i3USe2TWnK)5ji-SW@TtQ9W%6DRp0szy`80i22 diff --git a/WordPress/WordPressTodayWidget/sq.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/sq.lproj/Localizable.strings index 85153f8130c4eddda0f15149ef0fb493c1306563..328988d65253645c3ab2956fa1ab5f3a72c32af1 100644 GIT binary patch literal 134 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{&}3 z50XsHU46hk-7z%+BxeTcsf>O$w`sN;f3}C>> N2%#A`p)`z&1pso4A4mWI literal 134 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&+R zSd^6-?wt>kOigD9V0g`t!%)bO$&kyCn!ykTWK;oh2}3?Z5yNW^L2(5&eN$T>1~6b` NgwPC}P#Q+X0swcWA20v_ diff --git a/WordPress/WordPressTodayWidget/sv.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/sv.lproj/Localizable.strings index 2bd17743754a8c06a31fcb0bdc80f02f2d71b597..cec28b4cb8cc5741a74d77a104a5b8f67386e113 100644 GIT binary patch literal 146 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{&^S zkxeX0Ey`eUVn}5uX86XC&5+1Y#E=>Z)RC8&m!4P@FCgHanUj;4n^=^cS_Bs25R_8Z V)VKBtV*mq2MhMNo38i6FCIB(PCGP+L literal 146 zcmYc)$jK}&F)+Bo$i&RT%ErzS8kU(_UL4_^pPQSSS5h46lbM}b91)gToLQ1zR2&Ip z07!+Fn|FgBZOw)gwil76990kCEox5 diff --git a/WordPress/WordPressTodayWidget/th.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/th.lproj/Localizable.strings index a6e88e5e321272cec01220fabf43c1ac280db09e..d3b47bb34f487cc9a89fd664c507d4c4021f3e84 100644 GIT binary patch literal 154 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBTAabh z!l%w>#HYyTz^BdU&L^48C&OpS=LzI0@tN{@07*qYE$94I3R eq;>hEI0U7XHT50BlNi8&kr6^Oa6)MqRR{pCVj3<0 delta 111 zcmbQmIEyhVsURn_xWvHV3L_IU3o9EtM`&1PYI$*lbAE1aYFtZW^rao zeo=8MA0wX;pE92apJfIg3!gfWqsZsLr_JZiCz;O2#b?gv!6yl%b@`+wI*4;}2#PDH M>05b6O{`J?0GIq4O8@`> diff --git a/WordPress/WordPressTodayWidget/tr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/tr.lproj/Localizable.strings index 04ad691c7f0edb52a5fae8c1b09d56227baa752e..7676bc6e0a308959c61e6050170a88ac62de0f10 100644 GIT binary patch delta 104 zcmZ3*xQa0_sURn_xWvHV3L_IU3o9EtM}%{JZf2V-o2?CQ!A2_IlE`2R&WSPDQoJRSUOA$Pyhf9F&-QM delta 86 zcmXRY2uLc($t*50Fu20V#LU9V#?BEMmYG^!9O0awo12 Date: Fri, 7 May 2021 13:30:54 -0500 Subject: [PATCH 177/190] Revert erroneous change to cocoapod version This likely occurred from running `pod install` rather than `bundle exec pod install`. --- Podfile.lock | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Podfile.lock b/Podfile.lock index 807724dd7d04..f98b5cee56de 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -765,4 +765,4 @@ SPEC CHECKSUMS: PODFILE CHECKSUM: 494c4001e0a9752267871abec5b4e90fa1a6f1db -COCOAPODS: 1.10.1 +COCOAPODS: 1.10.0 From 22875b7153204ac43f05f6b36c42b35217de407e Mon Sep 17 00:00:00 2001 From: David Calhoun <438664+dcalhoun@users.noreply.github.com> Date: Fri, 7 May 2021 13:49:36 -0500 Subject: [PATCH 178/190] Update gutenberg ref --- Podfile | 2 +- Podfile.lock | 166 +++++++++++++++++++++++++-------------------------- 2 files changed, 84 insertions(+), 84 deletions(-) diff --git a/Podfile b/Podfile index 92e0b1601ce9..5641b463e55f 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :commit => 'e95b5144cf4cd6d9566f3b6f484f14754ce32f48' + gutenberg :commit => '55a0cbfa4698a9d6c6c753f1348f7d73a6327f76' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index f98b5cee56de..a9083843d572 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `e95b5144cf4cd6d9566f3b6f484f14754ce32f48`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `55a0cbfa4698a9d6c6c753f1348f7d73a6327f76`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `e95b5144cf4cd6d9566f3b6f484f14754ce32f48`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `55a0cbfa4698a9d6c6c753f1348f7d73a6327f76`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,103 +567,103 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/glog.podspec.json Gutenberg: - :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 + :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNSVG.podspec.json RNTAztecView: - :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 + :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/e95b5144cf4cd6d9566f3b6f484f14754ce32f48/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: - :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 + :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true RNTAztecView: - :commit: e95b5144cf4cd6d9566f3b6f484f14754ce32f48 + :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 494c4001e0a9752267871abec5b4e90fa1a6f1db +PODFILE CHECKSUM: db5529db2c09eac286792c8c67d19e1c45877cba COCOAPODS: 1.10.0 From c139f828ae271b14fce659259129f5e25660860c Mon Sep 17 00:00:00 2001 From: Ceyhun Ozugur Date: Fri, 7 May 2021 21:45:25 +0200 Subject: [PATCH 179/190] Fix audio file upload issues for audio block and from media library --- .../Utility/Media/MediaURLExporter.swift | 5 +-- .../Utils/GutenbergFilesAppMediaSource.swift | 32 +++++++++++++++---- 2 files changed, 28 insertions(+), 9 deletions(-) diff --git a/WordPress/Classes/Utility/Media/MediaURLExporter.swift b/WordPress/Classes/Utility/Media/MediaURLExporter.swift index 1364424f06f1..6ebe56bb1530 100644 --- a/WordPress/Classes/Utility/Media/MediaURLExporter.swift +++ b/WordPress/Classes/Utility/Media/MediaURLExporter.swift @@ -77,9 +77,10 @@ class MediaURLExporter: MediaExporter { /// func exportURL(fileURL: URL, onCompletion: @escaping OnMediaExport, onError: @escaping OnExportError) -> Progress { // Verify the export is permissible - if let fileExtension = fileURL.typeIdentifierFileExtension { + if let urlExportOptions = urlOptions, let fileExtension = fileURL.typeIdentifierFileExtension { // Check the default file types. We want to limit to supported types but mobile is not restricted to only allowed ones. - if !MediaImportService.defaultAllowableFileExtensions.contains(fileExtension) { + // `allowableFileExtensions` can be empty for self-hosted sites + if !MediaImportService.defaultAllowableFileExtensions.contains(fileExtension) && !urlExportOptions.allowableFileExtensions.isEmpty && !urlExportOptions.allowableFileExtensions.contains(fileExtension) { onError(exporterErrorWith(error: URLExportError.unsupportedFileType)) return Progress.discreteCompletedProgress() } diff --git a/WordPress/Classes/ViewRelated/Gutenberg/Utils/GutenbergFilesAppMediaSource.swift b/WordPress/Classes/ViewRelated/Gutenberg/Utils/GutenbergFilesAppMediaSource.swift index f7ece51e4052..d4388acbfd8b 100644 --- a/WordPress/Classes/ViewRelated/Gutenberg/Utils/GutenbergFilesAppMediaSource.swift +++ b/WordPress/Classes/ViewRelated/Gutenberg/Utils/GutenbergFilesAppMediaSource.swift @@ -12,18 +12,20 @@ class GutenbergFilesAppMediaSource: NSObject { } func presentPicker(origin: UIViewController, filters: [Gutenberg.MediaType], allowedTypesOnBlog: [String], multipleSelection: Bool, callback: @escaping MediaPickerDidPickMediaCallback) { - let uttypeFilters = filters.contains(.any) ? allowedTypesOnBlog : allTypesFrom(allowedTypesOnBlog, conformingTo: filters) - mediaPickerCallback = callback - let docPicker = UIDocumentPickerViewController(documentTypes: uttypeFilters, in: .import) + let documentTypes = getDocumentTypes(filters: filters, allowedTypesOnBlog: allowedTypesOnBlog) + let docPicker = UIDocumentPickerViewController(documentTypes: documentTypes, in: .import) docPicker.delegate = self docPicker.allowsMultipleSelection = multipleSelection - origin.present(docPicker, animated: true) } - private func allTypesFrom(_ allTypes: [String], conformingTo filters: [Gutenberg.MediaType]) -> [String] { - return filters.map { $0.filterTypesConformingTo(allTypes: allTypes) }.reduce([], +) + private func getDocumentTypes(filters: [Gutenberg.MediaType], allowedTypesOnBlog: [String]) -> [String] { + if filters.contains(.any) { + return allowedTypesOnBlog + } else { + return filters.map { $0.filterTypesConformingTo(allTypes: allowedTypesOnBlog) }.reduce([], +) + } } } @@ -70,7 +72,23 @@ extension Gutenberg.MediaType { } private func getTypesFrom(_ allTypes: [String], conformingTo uttype: CFString) -> [String] { - return allTypes.filter { UTTypeConformsTo($0 as CFString, uttype) } + + return allTypes.filter { + if #available(iOS 14.0, *) { + guard let allowedType = UTType($0), let requiredType = UTType(uttype as String) else { + return false + } + // Sometimes the compared type could be a supertype + // For example a self-hosted site without Jetpack may have "public.content" as allowedType + // Although "public.audio" conforms to "public.content", it's not true the other way around + if allowedType.isSupertype(of: requiredType) { + return true + } + return allowedType.conforms(to: requiredType) + } else { + return UTTypeConformsTo($0 as CFString, uttype) + } + } } private var typeIdentifier: CFString? { From 755fd47d8838b7a7ec70fb69496edbb3ec68e7c0 Mon Sep 17 00:00:00 2001 From: David Calhoun <438664+dcalhoun@users.noreply.github.com> Date: Fri, 7 May 2021 15:07:26 -0500 Subject: [PATCH 180/190] Update gutenberg ref to v1.52.1 tag --- Podfile | 2 +- Podfile.lock | 166 +++++++++++++++++++++++++-------------------------- 2 files changed, 84 insertions(+), 84 deletions(-) diff --git a/Podfile b/Podfile index 5641b463e55f..c9e5cc64dbc6 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :commit => '55a0cbfa4698a9d6c6c753f1348f7d73a6327f76' + gutenberg :tag => 'v1.52.1' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index a9083843d572..fd4b2b33e687 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `55a0cbfa4698a9d6c6c753f1348f7d73a6327f76`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.1`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `55a0cbfa4698a9d6c6c753f1348f7d73a6327f76`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.1`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,105 +567,105 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/glog.podspec.json Gutenberg: - :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.1 RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNSVG.podspec.json RNTAztecView: - :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.1 Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/55a0cbfa4698a9d6c6c753f1348f7d73a6327f76/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: - :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.1 RNTAztecView: - :commit: 55a0cbfa4698a9d6c6c753f1348f7d73a6327f76 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.1 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: db5529db2c09eac286792c8c67d19e1c45877cba +PODFILE CHECKSUM: a789aefd75489c964d28b1e31eae71bee0baaf7b COCOAPODS: 1.10.0 From 169f5bec7782884b4823088ea710b120ed7c3816 Mon Sep 17 00:00:00 2001 From: Joel Dean Date: Wed, 12 May 2021 19:48:12 -0500 Subject: [PATCH 181/190] Updated gutenberg ref. --- Podfile | 2 +- Podfile.lock | 174 +++++++++++++++++++++++++-------------------------- 2 files changed, 88 insertions(+), 88 deletions(-) diff --git a/Podfile b/Podfile index c9e5cc64dbc6..4c27ea23374d 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :tag => 'v1.52.1' + gutenberg :commit => 'f33aa98132066fbdc75d3170201e464afb2f380a' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index fd4b2b33e687..f06fbab27ef7 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -69,7 +69,7 @@ PODS: - AppAuth/Core (~> 1.4) - GTMSessionFetcher/Core (~> 1.5) - GTMSessionFetcher/Core (1.5.0) - - Gutenberg (1.52.1): + - Gutenberg (1.52.2): - React (= 0.61.5) - React-CoreModules (= 0.61.5) - React-RCTImage (= 0.61.5) @@ -376,7 +376,7 @@ PODS: - React - RNSVG (9.13.6-gb): - React - - RNTAztecView (1.52.1): + - RNTAztecView (1.52.2): - React-Core - WordPress-Aztec-iOS (~> 1.19.4) - Sentry (6.2.1): @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.1`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `f33aa98132066fbdc75d3170201e464afb2f380a`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.1`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `f33aa98132066fbdc75d3170201e464afb2f380a`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,105 +567,105 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/glog.podspec.json Gutenberg: + :commit: f33aa98132066fbdc75d3170201e464afb2f380a :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.1 RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNSVG.podspec.json RNTAztecView: + :commit: f33aa98132066fbdc75d3170201e464afb2f380a :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.1 Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.1/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: + :commit: f33aa98132066fbdc75d3170201e464afb2f380a :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.1 RNTAztecView: + :commit: f33aa98132066fbdc75d3170201e464afb2f380a :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true - :tag: v1.52.1 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -693,7 +693,7 @@ SPEC CHECKSUMS: Gridicons: 17d660b97ce4231d582101b02f8280628b141c9a GTMAppAuth: 5b53231ef6920f149ab84b2969cb0ab572da3077 GTMSessionFetcher: b3503b20a988c4e20cc189aa798fd18220133f52 - Gutenberg: a4a9798242faf6ef2157f19e622e15401518dfc8 + Gutenberg: 386f4e4c730f3b61a83d55fd565e27a288463e6e JTAppleCalendar: 932cadea40b1051beab10f67843451d48ba16c99 Kanvas: 828033a062a8df8bd73e6efd1a09ac438ead4b41 lottie-ios: 3a3758ef5a008e762faec9c9d50a39842f26d124 @@ -738,7 +738,7 @@ SPEC CHECKSUMS: RNReanimated: 13f7a6a22667c4f00aac217bc66f94e8560b3d59 RNScreens: 6833ac5c29cf2f03eed12103140530bbd75b6aea RNSVG: 68a534a5db06dcbdaebfd5079349191598caef7b - RNTAztecView: 8f87f4873612368fe0451c9b79e8df21bb1a97b5 + RNTAztecView: 704991a8554e101a1faf86845b85931cfbe3f470 Sentry: 9b922b396b0e0bca8516a10e36b0ea3ebea5faf7 Sodium: 23d11554ecd556196d313cf6130d406dfe7ac6da Starscream: ef3ece99d765eeccb67de105bfa143f929026cf5 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: a789aefd75489c964d28b1e31eae71bee0baaf7b +PODFILE CHECKSUM: 8132ef42d40416701e55cae17453441810a3347b COCOAPODS: 1.10.0 From abf25eef1b36d565fafcb538d561c0489e8e302d Mon Sep 17 00:00:00 2001 From: Joel Dean Date: Thu, 13 May 2021 04:30:46 -0500 Subject: [PATCH 182/190] Updated gutenberg mobile ref. --- Podfile | 2 +- Podfile.lock | 166 +++++++++++++++++++++++++-------------------------- 2 files changed, 84 insertions(+), 84 deletions(-) diff --git a/Podfile b/Podfile index 4c27ea23374d..bd06f1bfd887 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :commit => 'f33aa98132066fbdc75d3170201e464afb2f380a' + gutenberg :commit => '72a9a3d616b46f4af91768efbe30d66fedface82' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index f06fbab27ef7..3ece19baf6e2 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `f33aa98132066fbdc75d3170201e464afb2f380a`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `72a9a3d616b46f4af91768efbe30d66fedface82`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `f33aa98132066fbdc75d3170201e464afb2f380a`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `72a9a3d616b46f4af91768efbe30d66fedface82`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,103 +567,103 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/glog.podspec.json Gutenberg: - :commit: f33aa98132066fbdc75d3170201e464afb2f380a + :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNSVG.podspec.json RNTAztecView: - :commit: f33aa98132066fbdc75d3170201e464afb2f380a + :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/f33aa98132066fbdc75d3170201e464afb2f380a/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: - :commit: f33aa98132066fbdc75d3170201e464afb2f380a + :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true RNTAztecView: - :commit: f33aa98132066fbdc75d3170201e464afb2f380a + :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: 8132ef42d40416701e55cae17453441810a3347b +PODFILE CHECKSUM: f65316515bf1528b629631427dd68f105d6a4304 COCOAPODS: 1.10.0 From 11dfafac8d57c2df099a8f24832f23dbc6062501 Mon Sep 17 00:00:00 2001 From: Joel Dean Date: Thu, 13 May 2021 08:10:58 -0500 Subject: [PATCH 183/190] Updated gutenberg-mobile ref. --- Podfile | 2 +- Podfile.lock | 166 +++++++++++++++++++++++++-------------------------- 2 files changed, 84 insertions(+), 84 deletions(-) diff --git a/Podfile b/Podfile index bd06f1bfd887..b9beae619fd9 100644 --- a/Podfile +++ b/Podfile @@ -161,7 +161,7 @@ abstract_target 'Apps' do ## Gutenberg (React Native) ## ===================== ## - gutenberg :commit => '72a9a3d616b46f4af91768efbe30d66fedface82' + gutenberg :tag => 'v1.52.2' ## Third party libraries diff --git a/Podfile.lock b/Podfile.lock index 3ece19baf6e2..fd3fec9413eb 100644 --- a/Podfile.lock +++ b/Podfile.lock @@ -443,14 +443,14 @@ DEPENDENCIES: - CocoaLumberjack (~> 3.0) - CropViewController (= 2.5.3) - Down (~> 0.6.6) - - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBLazyVector.podspec.json`) - - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBReactNativeSpec.podspec.json`) - - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Folly.podspec.json`) + - FBLazyVector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/FBLazyVector.podspec.json`) + - FBReactNativeSpec (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/FBReactNativeSpec.podspec.json`) + - Folly (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/Folly.podspec.json`) - FSInteractiveMap (from `https://github.com/wordpress-mobile/FSInteractiveMap.git`, tag `0.2.0`) - Gifu (= 3.2.0) - - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/glog.podspec.json`) + - glog (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/glog.podspec.json`) - Gridicons (~> 1.1.0) - - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `72a9a3d616b46f4af91768efbe30d66fedface82`) + - Gutenberg (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.2`) - JTAppleCalendar (~> 8.0.2) - Kanvas (~> 1.2.6) - MediaEditor (~> 1.2.1) @@ -460,41 +460,41 @@ DEPENDENCIES: - "NSURL+IDN (~> 0.4)" - OCMock (~> 3.4.3) - OHHTTPStubs/Swift (~> 9.1.0) - - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTRequired.podspec.json`) - - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTTypeSafety.podspec.json`) + - RCTRequired (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RCTRequired.podspec.json`) + - RCTTypeSafety (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RCTTypeSafety.podspec.json`) - Reachability (= 3.2) - - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React.podspec.json`) - - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-Core.podspec.json`) - - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-CoreModules.podspec.json`) - - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-cxxreact.podspec.json`) - - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsi.podspec.json`) - - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsiexecutor.podspec.json`) - - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsinspector.podspec.json`) - - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-blur.podspec.json`) - - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-get-random-values.podspec.json`) - - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) - - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-linear-gradient.podspec.json`) - - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area.podspec.json`) - - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area-context.podspec.json`) - - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-slider.podspec.json`) - - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-video.podspec.json`) - - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTActionSheet.podspec.json`) - - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTAnimation.podspec.json`) - - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTBlob.podspec.json`) - - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTImage.podspec.json`) - - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTLinking.podspec.json`) - - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTNetwork.podspec.json`) - - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTSettings.podspec.json`) - - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTText.podspec.json`) - - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTVibration.podspec.json`) - - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactCommon.podspec.json`) - - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactNativeDarkMode.podspec.json`) - - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNCMaskedView.podspec.json`) - - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNGestureHandler.podspec.json`) - - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNReanimated.podspec.json`) - - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNScreens.podspec.json`) - - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNSVG.podspec.json`) - - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, commit `72a9a3d616b46f4af91768efbe30d66fedface82`) + - React (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React.podspec.json`) + - React-Core (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-Core.podspec.json`) + - React-CoreModules (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-CoreModules.podspec.json`) + - React-cxxreact (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-cxxreact.podspec.json`) + - React-jsi (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-jsi.podspec.json`) + - React-jsiexecutor (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-jsiexecutor.podspec.json`) + - React-jsinspector (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-jsinspector.podspec.json`) + - react-native-blur (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-blur.podspec.json`) + - react-native-get-random-values (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-get-random-values.podspec.json`) + - react-native-keyboard-aware-scroll-view (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json`) + - react-native-linear-gradient (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-linear-gradient.podspec.json`) + - react-native-safe-area (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-safe-area.podspec.json`) + - react-native-safe-area-context (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-safe-area-context.podspec.json`) + - react-native-slider (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-slider.podspec.json`) + - react-native-video (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-video.podspec.json`) + - React-RCTActionSheet (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTActionSheet.podspec.json`) + - React-RCTAnimation (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTAnimation.podspec.json`) + - React-RCTBlob (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTBlob.podspec.json`) + - React-RCTImage (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTImage.podspec.json`) + - React-RCTLinking (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTLinking.podspec.json`) + - React-RCTNetwork (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTNetwork.podspec.json`) + - React-RCTSettings (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTSettings.podspec.json`) + - React-RCTText (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTText.podspec.json`) + - React-RCTVibration (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTVibration.podspec.json`) + - ReactCommon (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/ReactCommon.podspec.json`) + - ReactNativeDarkMode (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/ReactNativeDarkMode.podspec.json`) + - RNCMaskedView (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNCMaskedView.podspec.json`) + - RNGestureHandler (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNGestureHandler.podspec.json`) + - RNReanimated (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNReanimated.podspec.json`) + - RNScreens (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNScreens.podspec.json`) + - RNSVG (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNSVG.podspec.json`) + - RNTAztecView (from `https://github.com/wordpress-mobile/gutenberg-mobile.git`, tag `v1.52.2`) - Starscream (= 3.0.6) - SVProgressHUD (= 2.2.5) - WordPress-Editor-iOS (~> 1.19.4) @@ -504,7 +504,7 @@ DEPENDENCIES: - WordPressShared (~> 1.16.0) - WordPressUI (~> 1.10.0) - WPMediaPicker (~> 1.7.2) - - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Yoga.podspec.json`) + - Yoga (from `https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/Yoga.podspec.json`) - ZendeskSupportSDK (= 5.2.0) - ZIPFoundation (~> 0.9.8) @@ -567,105 +567,105 @@ SPEC REPOS: EXTERNAL SOURCES: FBLazyVector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBLazyVector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/FBLazyVector.podspec.json FBReactNativeSpec: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/FBReactNativeSpec.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/FBReactNativeSpec.podspec.json Folly: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Folly.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/Folly.podspec.json FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 glog: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/glog.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/glog.podspec.json Gutenberg: - :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.2 RCTRequired: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTRequired.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RCTRequired.podspec.json RCTTypeSafety: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RCTTypeSafety.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RCTTypeSafety.podspec.json React: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React.podspec.json React-Core: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-Core.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-Core.podspec.json React-CoreModules: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-CoreModules.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-CoreModules.podspec.json React-cxxreact: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-cxxreact.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-cxxreact.podspec.json React-jsi: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsi.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-jsi.podspec.json React-jsiexecutor: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsiexecutor.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-jsiexecutor.podspec.json React-jsinspector: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-jsinspector.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-jsinspector.podspec.json react-native-blur: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-blur.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-blur.podspec.json react-native-get-random-values: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-get-random-values.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-get-random-values.podspec.json react-native-keyboard-aware-scroll-view: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-keyboard-aware-scroll-view.podspec.json react-native-linear-gradient: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-linear-gradient.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-linear-gradient.podspec.json react-native-safe-area: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-safe-area.podspec.json react-native-safe-area-context: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-safe-area-context.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-safe-area-context.podspec.json react-native-slider: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-slider.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-slider.podspec.json react-native-video: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/react-native-video.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/react-native-video.podspec.json React-RCTActionSheet: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTActionSheet.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTActionSheet.podspec.json React-RCTAnimation: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTAnimation.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTAnimation.podspec.json React-RCTBlob: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTBlob.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTBlob.podspec.json React-RCTImage: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTImage.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTImage.podspec.json React-RCTLinking: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTLinking.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTLinking.podspec.json React-RCTNetwork: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTNetwork.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTNetwork.podspec.json React-RCTSettings: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTSettings.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTSettings.podspec.json React-RCTText: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTText.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTText.podspec.json React-RCTVibration: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/React-RCTVibration.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/React-RCTVibration.podspec.json ReactCommon: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactCommon.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/ReactCommon.podspec.json ReactNativeDarkMode: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/ReactNativeDarkMode.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/ReactNativeDarkMode.podspec.json RNCMaskedView: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNCMaskedView.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNCMaskedView.podspec.json RNGestureHandler: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNGestureHandler.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNGestureHandler.podspec.json RNReanimated: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNReanimated.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNReanimated.podspec.json RNScreens: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNScreens.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNScreens.podspec.json RNSVG: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/RNSVG.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/RNSVG.podspec.json RNTAztecView: - :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.2 Yoga: - :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/72a9a3d616b46f4af91768efbe30d66fedface82/third-party-podspecs/Yoga.podspec.json + :podspec: https://raw.githubusercontent.com/wordpress-mobile/gutenberg-mobile/v1.52.2/third-party-podspecs/Yoga.podspec.json CHECKOUT OPTIONS: FSInteractiveMap: :git: https://github.com/wordpress-mobile/FSInteractiveMap.git :tag: 0.2.0 Gutenberg: - :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.2 RNTAztecView: - :commit: 72a9a3d616b46f4af91768efbe30d66fedface82 :git: https://github.com/wordpress-mobile/gutenberg-mobile.git :submodules: true + :tag: v1.52.2 SPEC CHECKSUMS: 1PasswordExtension: f97cc80ae58053c331b2b6dc8843ba7103b33794 @@ -763,6 +763,6 @@ SPEC CHECKSUMS: ZendeskSupportSDK: e100a7a0a1bb5d7d43abbde3338727d985a4986d ZIPFoundation: e27423c004a5a1410c15933407747374e7c6cb6e -PODFILE CHECKSUM: f65316515bf1528b629631427dd68f105d6a4304 +PODFILE CHECKSUM: 8f1806c431d48fbc92e318d1c1611d4e031a9b48 COCOAPODS: 1.10.0 From 7314a3c3934a74ff276ad351a5077ca2c4167fc2 Mon Sep 17 00:00:00 2001 From: Joel Dean Date: Thu, 13 May 2021 08:16:51 -0500 Subject: [PATCH 184/190] Updated release notes. --- RELEASE-NOTES.txt | 2 ++ 1 file changed, 2 insertions(+) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index 4686fcda41fe..0c6d14b0bc74 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -18,6 +18,8 @@ * [**] Block Editor: The media upload options of the Image, Video and Gallery block automatically opens when the respective block is inserted. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/2700] * [**] Block Editor: The media upload options of the File and Audio block automatically opens when the respective block is inserted. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3399] * [*] Block Editor: Remove visual feedback from non-interactive bottom-sheet cell sections [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3404] +* [*] Block Editor: Fixed an issue that was causing the featured image badge to be shown on images. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3494] + 17.2 ----- From 40bca4b0a7d832d682412c5b68fbbdcdfe1b74b0 Mon Sep 17 00:00:00 2001 From: Joel Dean Date: Thu, 13 May 2021 08:22:03 -0500 Subject: [PATCH 185/190] Made release notes entry a bit clearer. --- RELEASE-NOTES.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/RELEASE-NOTES.txt b/RELEASE-NOTES.txt index 0c6d14b0bc74..ea5ae70b2b0e 100644 --- a/RELEASE-NOTES.txt +++ b/RELEASE-NOTES.txt @@ -18,7 +18,7 @@ * [**] Block Editor: The media upload options of the Image, Video and Gallery block automatically opens when the respective block is inserted. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/2700] * [**] Block Editor: The media upload options of the File and Audio block automatically opens when the respective block is inserted. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3399] * [*] Block Editor: Remove visual feedback from non-interactive bottom-sheet cell sections [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3404] -* [*] Block Editor: Fixed an issue that was causing the featured image badge to be shown on images. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3494] +* [*] Block Editor: Fixed an issue that was causing the featured image badge to be shown on images in an incorrect manner. [https://github.com/wordpress-mobile/gutenberg-mobile/pull/3494] 17.2 From 29142117d95d5397fadcb9bc09acd342739c640a Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Thu, 13 May 2021 10:27:37 -0600 Subject: [PATCH 186/190] Update metadata translations --- fastlane/metadata/en-CA/keywords.txt | 2 +- fastlane/metadata/en-CA/subtitle.txt | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/fastlane/metadata/en-CA/keywords.txt b/fastlane/metadata/en-CA/keywords.txt index ab6cbfc0f9a1..695226967330 100644 --- a/fastlane/metadata/en-CA/keywords.txt +++ b/fastlane/metadata/en-CA/keywords.txt @@ -1 +1 @@ -social,network,notes,jetpack,photos,writing,geotagging,media,blog,wordpress,website,blogging,design +social,notes,jetpack,writing,geotagging,media,blog,website,blogging,journal \ No newline at end of file diff --git a/fastlane/metadata/en-CA/subtitle.txt b/fastlane/metadata/en-CA/subtitle.txt index b34d71b64f35..efc7a2ba3311 100644 --- a/fastlane/metadata/en-CA/subtitle.txt +++ b/fastlane/metadata/en-CA/subtitle.txt @@ -1 +1 @@ -Manage your website anywhere \ No newline at end of file +Build a website or blog \ No newline at end of file From 8773cc774adf4972cf5478832de9f3de22946efe Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Thu, 13 May 2021 10:27:41 -0600 Subject: [PATCH 187/190] Bump version number --- config/Version.internal.xcconfig | 2 +- config/Version.public.xcconfig | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/config/Version.internal.xcconfig b/config/Version.internal.xcconfig index 4176d9d89810..d6d01da5d60d 100644 --- a/config/Version.internal.xcconfig +++ b/config/Version.internal.xcconfig @@ -1,4 +1,4 @@ VERSION_SHORT=17.3 // Internal long version example: VERSION_LONG=9.9.0.20180423 -VERSION_LONG=17.3.0.20210507 +VERSION_LONG=17.3.0.20210513 diff --git a/config/Version.public.xcconfig b/config/Version.public.xcconfig index fb0ed36dda62..9530f9f4b12c 100644 --- a/config/Version.public.xcconfig +++ b/config/Version.public.xcconfig @@ -1,4 +1,4 @@ VERSION_SHORT=17.3 // Public long version example: VERSION_LONG=9.9.0.0 -VERSION_LONG=17.3.0.1 +VERSION_LONG=17.3.0.2 From 6f9ed669f259c13ce4ac0ec5b31deee79c2cc531 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 14 May 2021 11:48:59 -0600 Subject: [PATCH 188/190] Update release dependencies --- Gemfile.lock | 75 +++++++++++++++++++++------------------------ fastlane/Pluginfile | 2 +- 2 files changed, 36 insertions(+), 41 deletions(-) diff --git a/Gemfile.lock b/Gemfile.lock index faf5ac2054ef..ec4c23565c29 100644 --- a/Gemfile.lock +++ b/Gemfile.lock @@ -1,9 +1,9 @@ GIT remote: https://github.com/wordpress-mobile/release-toolkit - revision: 4efe6cd1585db9bbf8f3f0cd889037ceade8de6e - tag: 0.15.0 + revision: eb0f24ec6c73b3454d711cc4b3276c50b9655861 + tag: 0.18.1 specs: - fastlane-plugin-wpmreleasetoolkit (0.15.0) + fastlane-plugin-wpmreleasetoolkit (0.18.1) activesupport (~> 5) bigdecimal (~> 1.4) chroma (= 0.2.0) @@ -21,7 +21,7 @@ GEM remote: https://rubygems.org/ specs: CFPropertyList (3.0.3) - activesupport (5.2.4.4) + activesupport (5.2.6) concurrent-ruby (~> 1.0, >= 1.0.2) i18n (>= 0.7, < 2) minitest (~> 5.1) @@ -34,7 +34,7 @@ GEM artifactory (3.0.15) atomos (0.1.3) aws-eventstream (1.1.1) - aws-partitions (1.449.0) + aws-partitions (1.455.0) aws-sdk-core (3.114.0) aws-eventstream (~> 1, >= 1.0.2) aws-partitions (~> 1, >= 1.239.0) @@ -43,7 +43,7 @@ GEM aws-sdk-kms (1.43.0) aws-sdk-core (~> 3, >= 3.112.0) aws-sigv4 (~> 1.1) - aws-sdk-s3 (1.94.0) + aws-sdk-s3 (1.94.1) aws-sdk-core (~> 3, >= 3.112.0) aws-sdk-kms (~> 1) aws-sigv4 (~> 1.1) @@ -53,10 +53,10 @@ GEM bigdecimal (1.4.4) chroma (0.2.0) claide (1.0.3) - cocoapods (1.10.0) + cocoapods (1.10.1) addressable (~> 2.6) claide (>= 1.0.2, < 2.0) - cocoapods-core (= 1.10.0) + cocoapods-core (= 1.10.1) cocoapods-deintegrate (>= 1.0.3, < 2.0) cocoapods-downloader (>= 1.4.0, < 2.0) cocoapods-plugins (>= 1.0.0, < 2.0) @@ -71,7 +71,7 @@ GEM nap (~> 1.0) ruby-macho (~> 1.4) xcodeproj (>= 1.19.0, < 2.0) - cocoapods-core (1.10.0) + cocoapods-core (1.10.1) activesupport (> 5.0, < 6) addressable (~> 2.6) algoliasearch (~> 1.0) @@ -93,11 +93,11 @@ GEM colored (1.2) colored2 (3.1.2) colorize (0.8.1) - commander-fastlane (4.4.6) - highline (~> 1.7.2) - commonmarker (0.21.0) + commander (4.6.0) + highline (~> 2.0.0) + commonmarker (0.21.2) ruby-enum (~> 0.5) - concurrent-ruby (1.1.7) + concurrent-ruby (1.1.8) declarative (0.0.20) diffy (3.4.0) digest-crc (0.6.3) @@ -107,8 +107,8 @@ GEM dotenv (2.7.6) emoji_regex (3.2.2) escape (0.0.4) - ethon (0.12.0) - ffi (>= 1.3.0) + ethon (0.14.0) + ffi (>= 1.15.0) excon (0.81.0) faraday (1.4.1) faraday-excon (~> 1.1) @@ -125,7 +125,7 @@ GEM faraday_middleware (1.0.0) faraday (~> 1.0) fastimage (2.2.3) - fastlane (2.181.0) + fastlane (2.183.0) CFPropertyList (>= 2.3, < 4.0.0) addressable (>= 2.3, < 3.0.0) artifactory (~> 3.0) @@ -133,7 +133,7 @@ GEM babosa (>= 1.0.3, < 2.0.0) bundler (>= 1.12.0, < 3.0.0) colored - commander-fastlane (>= 4.4.6, < 5.0.0) + commander (~> 4.6) dotenv (>= 2.1.1, < 3.0.0) emoji_regex (>= 0.1, < 4.0) excon (>= 0.71.0, < 1.0.0) @@ -142,9 +142,10 @@ GEM faraday_middleware (~> 1.0) fastimage (>= 2.1.0, < 3.0.0) gh_inspector (>= 1.1.2, < 2.0.0) - google-api-client (>= 0.37.0, < 0.39.0) - google-cloud-storage (>= 1.15.0, < 2.0.0) - highline (>= 1.7.2, < 2.0.0) + google-apis-androidpublisher_v3 (~> 0.1) + google-apis-playcustomapp_v1 (~> 0.1) + google-cloud-storage (~> 1.31) + highline (~> 2.0) json (< 3.0.0) jwt (>= 2.1.0, < 3) mini_magick (>= 4.9.4, < 5.0.0) @@ -154,7 +155,6 @@ GEM rubyzip (>= 2.0.0, < 3.0.0) security (= 0.1.3) simctl (~> 1.6.3) - slack-notifier (>= 2.0.0, < 3.0.0) terminal-notifier (>= 2.0.0, < 3.0.0) terminal-table (>= 1.4.5, < 2.0.0) tty-screen (>= 0.6.3, < 1.0.0) @@ -172,20 +172,14 @@ GEM trainer xcodeproj xctest_list (>= 1.2.1) - ffi (1.13.1) + ffi (1.15.0) fourflusher (2.3.1) fuzzy_match (2.0.4) gh_inspector (1.1.3) git (1.8.1) rchardet (~> 1.8) - google-api-client (0.38.0) - addressable (~> 2.5, >= 2.5.1) - googleauth (~> 0.9) - httpclient (>= 2.8.1, < 3.0) - mini_mime (~> 1.0) - representable (~> 3.0) - retriable (>= 2.0, < 4.0) - signet (~> 0.12) + google-apis-androidpublisher_v3 (0.2.0) + google-apis-core (~> 0.1) google-apis-core (0.3.0) addressable (~> 2.5, >= 2.5.1) googleauth (~> 0.14) @@ -198,6 +192,8 @@ GEM webrick google-apis-iamcredentials_v1 (0.3.0) google-apis-core (~> 0.1) + google-apis-playcustomapp_v1 (0.2.0) + google-apis-core (~> 0.1) google-apis-storage_v1 (0.3.0) google-apis-core (~> 0.1) google-cloud-core (1.6.0) @@ -221,11 +217,11 @@ GEM multi_json (~> 1.11) os (>= 0.9, < 2.0) signet (~> 0.14) - highline (1.7.10) + highline (2.0.3) http-cookie (1.0.3) domain_name (~> 0.5) httpclient (2.8.3) - i18n (1.8.5) + i18n (1.8.10) concurrent-ruby (~> 1.0) jmespath (1.4.0) json (2.5.1) @@ -236,8 +232,8 @@ GEM memoist (0.16.2) mini_magick (4.11.0) mini_mime (1.1.0) - mini_portile2 (2.5.0) - minitest (5.14.2) + mini_portile2 (2.5.1) + minitest (5.14.4) molinillo (0.6.6) multi_json (1.15.0) multipart-post (2.0.0) @@ -245,13 +241,13 @@ GEM nap (1.1.0) naturally (2.2.1) netrc (0.11.0) - nokogiri (1.11.1) + nokogiri (1.11.3) mini_portile2 (~> 2.5.0) racc (~> 1.4) - octokit (4.19.0) + octokit (4.21.0) faraday (>= 0.9) sawyer (~> 0.8.0, >= 0.5.3) - oj (3.11.2) + oj (3.11.5) optimist (3.0.1) options (2.3.2) os (1.1.1) @@ -274,7 +270,7 @@ GEM rexml (3.2.5) rmagick (3.2.0) rouge (2.0.7) - ruby-enum (0.8.0) + ruby-enum (0.9.0) i18n ruby-macho (1.4.0) ruby2_keywords (0.0.4) @@ -291,7 +287,6 @@ GEM simctl (1.6.8) CFPropertyList naturally - slack-notifier (2.3.2) terminal-notifier (2.0.0) terminal-table (1.8.0) unicode-display_width (~> 1.1, >= 1.1.1) @@ -306,7 +301,7 @@ GEM tty-cursor (~> 0.7) typhoeus (1.4.0) ethon (>= 0.9.0) - tzinfo (1.2.8) + tzinfo (1.2.9) thread_safe (~> 0.1) uber (0.1.0) unf (0.1.4) diff --git a/fastlane/Pluginfile b/fastlane/Pluginfile index 93a660fc7e0f..f7b041e20604 100644 --- a/fastlane/Pluginfile +++ b/fastlane/Pluginfile @@ -6,7 +6,7 @@ group :screenshots, optional: true do gem 'rmagick', '~> 3.2.0' end -gem 'fastlane-plugin-wpmreleasetoolkit', git: 'https://github.com/wordpress-mobile/release-toolkit', tag: '0.15.0' +gem 'fastlane-plugin-wpmreleasetoolkit', git: 'https://github.com/wordpress-mobile/release-toolkit', tag: '0.18.1' gem 'fastlane-plugin-sentry' gem 'fastlane-plugin-appcenter', '~> 1.8' From c6be4b7e9c9db76b444016e16006bc240530d261 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 14 May 2021 11:56:01 -0600 Subject: [PATCH 189/190] Update translations --- .../Resources/ar.lproj/Localizable.strings | 1585 +-------------- .../Resources/bg.lproj/Localizable.strings | 1505 +------------- .../Resources/cs.lproj/Localizable.strings | 1563 +-------------- .../Resources/cy.lproj/Localizable.strings | 1505 +------------- .../Resources/da.lproj/Localizable.strings | 1505 +------------- .../Resources/de.lproj/Localizable.strings | 1581 +-------------- .../Resources/en-AU.lproj/Localizable.strings | 1505 +------------- .../Resources/en-CA.lproj/Localizable.strings | 1515 +------------- .../Resources/en-GB.lproj/Localizable.strings | 1505 +------------- .../Resources/es.lproj/Localizable.strings | 1581 +-------------- .../Resources/fr.lproj/Localizable.strings | 1581 +-------------- .../Resources/he.lproj/Localizable.strings | 1587 +-------------- .../Resources/hr.lproj/Localizable.strings | 1505 +------------- .../Resources/hu.lproj/Localizable.strings | 1505 +------------- .../Resources/id.lproj/Localizable.strings | 1505 +------------- .../Resources/is.lproj/Localizable.strings | 1505 +------------- .../Resources/it.lproj/Localizable.strings | 1583 +-------------- .../Resources/ja.lproj/Localizable.strings | 1505 +------------- .../Resources/ko.lproj/Localizable.strings | 1587 +-------------- .../Resources/nb.lproj/Localizable.strings | 1505 +------------- .../Resources/nl.lproj/Localizable.strings | 1541 +-------------- .../Resources/pl.lproj/Localizable.strings | 1505 +------------- .../Resources/pt-BR.lproj/Localizable.strings | 1759 ++--------------- .../Resources/pt.lproj/Localizable.strings | 1505 +------------- .../Resources/ro.lproj/Localizable.strings | 1505 +------------- .../Resources/ru.lproj/Localizable.strings | 1505 +------------- .../Resources/sk.lproj/Localizable.strings | 1505 +------------- .../Resources/sq.lproj/Localizable.strings | 1507 +------------- .../Resources/sv.lproj/Localizable.strings | 1527 +------------- .../Resources/th.lproj/Localizable.strings | 1505 +------------- .../Resources/tr.lproj/Localizable.strings | 1589 +-------------- .../zh-Hans.lproj/Localizable.strings | 1505 +------------- .../zh-Hant.lproj/Localizable.strings | 1583 +-------------- .../ar.lproj/Localizable.strings | Bin 4067 -> 4067 bytes .../bg.lproj/Localizable.strings | Bin 3189 -> 3189 bytes .../cs.lproj/Localizable.strings | Bin 4264 -> 4264 bytes .../cy.lproj/Localizable.strings | Bin 2837 -> 2837 bytes .../da.lproj/Localizable.strings | Bin 2830 -> 2830 bytes .../de.lproj/Localizable.strings | Bin 4485 -> 4485 bytes .../en-AU.lproj/Localizable.strings | Bin 2674 -> 2674 bytes .../en-CA.lproj/Localizable.strings | Bin 2740 -> 2740 bytes .../en-GB.lproj/Localizable.strings | Bin 2682 -> 2682 bytes .../es.lproj/Localizable.strings | Bin 3507 -> 3507 bytes .../fr.lproj/Localizable.strings | Bin 4687 -> 4687 bytes .../he.lproj/Localizable.strings | Bin 3994 -> 3994 bytes .../hr.lproj/Localizable.strings | Bin 2845 -> 2845 bytes .../hu.lproj/Localizable.strings | Bin 2914 -> 2914 bytes .../id.lproj/Localizable.strings | Bin 3018 -> 3018 bytes .../is.lproj/Localizable.strings | Bin 3005 -> 3005 bytes .../it.lproj/Localizable.strings | Bin 3444 -> 3444 bytes .../ja.lproj/Localizable.strings | Bin 3194 -> 3194 bytes .../ko.lproj/Localizable.strings | Bin 3056 -> 3056 bytes .../nb.lproj/Localizable.strings | Bin 3442 -> 3442 bytes .../nl.lproj/Localizable.strings | Bin 3350 -> 3350 bytes .../pl.lproj/Localizable.strings | Bin 2795 -> 2795 bytes .../pt-BR.lproj/Localizable.strings | Bin 3960 -> 3960 bytes .../pt.lproj/Localizable.strings | Bin 3314 -> 3314 bytes .../ro.lproj/Localizable.strings | Bin 4337 -> 4337 bytes .../ru.lproj/Localizable.strings | Bin 4532 -> 4532 bytes .../sk.lproj/Localizable.strings | Bin 4484 -> 4484 bytes .../sq.lproj/Localizable.strings | Bin 4377 -> 4377 bytes .../sv.lproj/Localizable.strings | Bin 4499 -> 4499 bytes .../th.lproj/Localizable.strings | Bin 2918 -> 2918 bytes .../tr.lproj/Localizable.strings | Bin 4260 -> 4260 bytes .../zh-Hans.lproj/Localizable.strings | Bin 2712 -> 2712 bytes .../zh-Hant.lproj/Localizable.strings | Bin 2694 -> 2694 bytes .../ar.lproj/Localizable.strings | Bin 146 -> 146 bytes .../bg.lproj/Localizable.strings | Bin 174 -> 174 bytes .../cs.lproj/Localizable.strings | Bin 176 -> 176 bytes .../cy.lproj/Localizable.strings | Bin 118 -> 118 bytes .../da.lproj/Localizable.strings | Bin 128 -> 128 bytes .../de.lproj/Localizable.strings | Bin 139 -> 139 bytes .../en-AU.lproj/Localizable.strings | Bin 84 -> 84 bytes .../en-CA.lproj/Localizable.strings | Bin 84 -> 84 bytes .../en-GB.lproj/Localizable.strings | Bin 84 -> 84 bytes .../es.lproj/Localizable.strings | Bin 128 -> 128 bytes .../fr.lproj/Localizable.strings | Bin 129 -> 129 bytes .../he.lproj/Localizable.strings | Bin 150 -> 150 bytes .../hr.lproj/Localizable.strings | Bin 119 -> 119 bytes .../hu.lproj/Localizable.strings | Bin 160 -> 160 bytes .../id.lproj/Localizable.strings | Bin 134 -> 134 bytes .../is.lproj/Localizable.strings | Bin 138 -> 138 bytes .../it.lproj/Localizable.strings | Bin 120 -> 120 bytes .../ja.lproj/Localizable.strings | Bin 118 -> 118 bytes .../ko.lproj/Localizable.strings | Bin 110 -> 110 bytes .../nb.lproj/Localizable.strings | Bin 133 -> 133 bytes .../nl.lproj/Localizable.strings | Bin 130 -> 130 bytes .../pl.lproj/Localizable.strings | Bin 96 -> 96 bytes .../pt-BR.lproj/Localizable.strings | Bin 158 -> 158 bytes .../pt.lproj/Localizable.strings | Bin 156 -> 156 bytes .../ro.lproj/Localizable.strings | Bin 148 -> 148 bytes .../ru.lproj/Localizable.strings | Bin 166 -> 166 bytes .../sk.lproj/Localizable.strings | Bin 140 -> 140 bytes .../sq.lproj/Localizable.strings | Bin 134 -> 134 bytes .../sv.lproj/Localizable.strings | Bin 146 -> 146 bytes .../th.lproj/Localizable.strings | Bin 154 -> 154 bytes .../tr.lproj/Localizable.strings | Bin 170 -> 170 bytes .../zh-Hans.lproj/Localizable.strings | Bin 110 -> 110 bytes .../zh-Hant.lproj/Localizable.strings | Bin 112 -> 112 bytes 99 files changed, 2131 insertions(+), 48628 deletions(-) diff --git a/WordPress/Resources/ar.lproj/Localizable.strings b/WordPress/Resources/ar.lproj/Localizable.strings index 575f2edd5234..a178fb23241e 100644 --- a/WordPress/Resources/ar.lproj/Localizable.strings +++ b/WordPress/Resources/ar.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-05 03:22:45+0000 */ +/* Translation-Revision-Date: 2021-05-12 22:54:09+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/3.0.0-alpha.2 */ /* Language: ar */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "⁦%1$d⁩ من المقالات التي لم يتم الاطلاع عليها"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "تم تحويل %1$s إلى %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s - %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li كلمات، %2$li أحرف"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s خيارات المكوِّن"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "مكوِّن %s. فارغ"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "مكوِّن %s. يحتوي هذا المكوِّن على محتوى غير صالح"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "لم يتم دعم \"%s\" بالكامل"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ سطر العنوان %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "تم رفع مسودة مقالة واحدة"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< ساعة واحدة"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "يحتوي زر \"المزيد\" على قائمة منسدلة تعرض أزرار المشاركة"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "تم تعيين صورة بارزة. انقر لتغييرها."; /* Title for a threat */ "A file contains a malicious code pattern" = "يحتوي أحد الملفات على نمط أكواد برمجية ضارة"; -/* No comment provided by engineer. */ -"A link to a category." = "رابط إلى تصنيف."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "رابط إلى صفحة."; - -/* No comment provided by engineer. */ -"A link to a post." = "رابط إلى مقالة."; - -/* No comment provided by engineer. */ -"A link to a tag." = "رابط إلى وسم."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "قائمة المواقع الموجودة على هذا الحساب."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "سلسلة من الخطوات للمساعدة في زيادة جمهور موقعك."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "يوجد وسم يحمل الاسم \"%@\" بالفعل."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "العنوان"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "نبذة"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "إضافة بطاقة إحصائيات جديدة"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "إضافة إلى البداية"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "إضافة موضوع"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "أضف عنوان URL الخاص بـ CSS المخصصة هنا ليتم تحميلها في القارئ. إذا كنتَ تقوم بتشغيل Calypso محليًا، فقد يبدو هذا مثل: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "إضافة موقع مستضاف ذاتيًا"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "إضافة نص بديل"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "إضافة أي موضوع"; /* No comment provided by engineer. */ "Add caption" = "إضاقة تسمية توضيحية"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "أضف صورة أو أفاتار لتمثيل هذا الحساب الجديد."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "إضافة مكوّن فقرة"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "إضافة موقع مستضاف ذاتيًا"; @@ -603,16 +493,7 @@ "Add tags" = "إضافة علامات"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "إضافة نص…"; /* No comment provided by engineer. */ "Add this email link" = "إضافة رابط البريد الإلكتروني هذا"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "أضف رابط الهاتف هذا"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "إضافة ميزات الموقع"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "الألبومات"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "محاذاة"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "حدث خطأ."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "حدث خطأ غير معروف. يُرجى المحاولة مرة أخرى."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "يوافق على التعليق."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "هل أنت متأكد من رغبتك في الإلغاء وتجاهل التغييرات؟"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "هل ترغب بالتأكيد في التحديث؟"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "الفن"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "اعتبارًا من 1 أغسطس 2018، لن يسمح فيسبوك بعد الآن بالمشاركة المباشرة للمقالات على ملفات تعريف الفيسبوك. تبقى الاتصالات بصفحات الفيسبوك كما هي."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "إرفاق ملف كرابط"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "صفحة المرفق"; /* No comment provided by engineer. */ "Audio Player" = "مشغل الصوت"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "تسمية الملف الصوتي. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "تسمية الملف الصوتي. فارغة"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "إعدادات الصوت"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "الصوت، %@"; @@ -967,7 +812,7 @@ "Authors" = "الكُتّاب"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "تلقائي"; /* Describes a status of a plugin */ "Auto-managed" = "إدارة تلقائية"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "شارك المقالات الجديدة تلقائيًّا على حساباتك على وسائل التواصل الاجتماعي."; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "التشغيل التلقائي"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "تحديثات تلقائية"; @@ -1078,17 +923,35 @@ "Block Quote" = "حظر الاقتباس"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "يتعذر عرض المكوِّن داخل نفسه."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "المكوِّن الذي تم نسخه"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "المكوِّن الذي تم قصه"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "المكوِّن الذي تم تكراره"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "تم تمكين محرر المكوّنات"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "لقد تم حذف المكوّن أو أنه غير متاح."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "تم حظر محاولات تسجيل الدخول الضارة"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "المكوِّن الذي تم لصقه"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "تم إزالة المكوّن"; + +/* No comment provided by engineer. */ +"Block settings" = "إعدادات المكوِّن"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "حظر هذا الموقع"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "مشاهد المدونة"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "عريض"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "تحديد مناقشات التعليقات في صفحات متعددة."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "تصفّح جميع قوالبنا للعثور على ما يناسبك."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "المتصفح الافتراضي"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "الحماية من هجمات القوة الغاشمة"; @@ -1159,10 +1007,7 @@ "Button Style" = "نمط الزر"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "مجموعة أزرار"; /* Label for the post author in the post detail. */ "By " = "بواسطة "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "جاري الحساب..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "كاميرا"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "كلمات توضيحية"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "كن حذرًا!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "التصنيف"; -/* No comment provided by engineer. */ -"Category Link" = "رابط التصنيف"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "عنوان التصنيف مفقود."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "خطأ في الشهادة"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "تغيير كلمة المرور"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "تغيير موضع المكوّن"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "فشل التغيير"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "تغيير مستوى العنوان"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "تغيير نوع الجهاز المستخدم للمعاينة"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "تغيير اسم المستخدم"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "التحقق من خطأ عمليات الشراء"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "اختيار النطاق"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "اختيار ملف"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "هل تريد مسح جميع سجلات النشاط القديمة؟"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "مسح البحث"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "إغلاق التعليق"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "إغلاق شاشة \"أنا\""; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "رمز"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "تم طي %i من المهام المكتملة، ويؤدي التبديل إلى توسيع قائمة هذه المهام"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "خلفيات ملونة"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "إعدادات العمود"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "اجمع بين الصور ومقاطع الفيديو والنصوص لإنشاء مقالات قصة جذابة وقابلة للنقر سيحبها زائروك."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "اتصالات"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "الاتصال"; - /* Support email label. */ "Contact Email" = "البريد الإلكتروني لجهة الاتصال"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "الاتصال بالدعم"; -/* No comment provided by engineer. */ -"Contact us" = "الاتصال بنا"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "اتصل بنا على %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "بنية المحتوى \nالمكوِّنات: %1$li، الكلمات: %2$li، الأحرف: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "المتابعة عبر Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "تحويل إلى مكوّنات"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "الطهي"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "المكوِّن الذي تم نسخه"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "نسخ الرابط إلى التعليق"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "نسخ المكوِّن"; /* No comment provided by engineer. */ "Copy file URL" = "نسخ رابط الملف"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "تعذر التحقق من عمليات شراء الموقع."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "تعذرت متابعة الموقع"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "إنشاء مقالة قصة"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "إنشاء موقع WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "إنشاء وسم"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "إنشاء موقع جديد"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "أنشئ موقعًا جديدًا لأعمالك أو مجلتك أو مدونتك الشخصية؛ أو اتصل بموقع ووردبريس موجود وتم تثبيته مسبقًا."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "إنشاء مقالة أو صفحة"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "إنشاء مقالة، صفحة، أو قصة"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "إنشاء نسخة احتياطية قابلة للتنزيل"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "جاري الآن استعادة: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "رسالة مخصصة…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "إضفاء الطابع الشخصي على إعدادات موقعك مثل الإعجابات والتعليقات والمتابعات، والمزيد."; +/* No comment provided by engineer. */ +"Cut block" = "قص المكوِّن"; + /* Title for the app appearance setting for dark mode */ "Dark" = "داكن"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 ديسمبر، 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "الافتراضي"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "الرابط الافتراضي URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "الإعدادات الافتراضية للمقالات الجديدة"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "حدث خطأ في حذف الموقع"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "حذف القائمة"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "حذف هذا الوسم"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "الوصف"; -/* No comment provided by engineer. */ -"Descriptions" = "أوصاف"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "التصميم"; /* Title for the desktop web preview */ "Desktop" = "جهاز سطح المكتب"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "تفاصيل"; @@ -2355,94 +2089,7 @@ "Display Name" = "اسم العرض"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "عرض المقتطف"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "عرض أيقونات ترتبط بحسابات موقع تواصل اجتماعي أو مواقع إلكترونية."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "عرض تاريخ النشر"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "اعرض إحصاءات موقعك طوال الوقت هنا. يمكنك التكوين في تطبيق ووردبريس في إحصاءات موقعك."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "عرض إحصائيات موقعك لهذا اليوم هنا. إعداد التكوين في تطبيق ووردبريس ضمن إحصائيات موقعك."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "المستند: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "لا داعي للقلق تجاه أي شيء"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "الضغط المزدوج مع الاستمرار لنقل عنصر القائمة هذا للأعلى أو أسفل"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "النقر المزدوج لفتح ورقة الإجراءات التي تحتوي على خيارات متوافرة"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "النقر المزدوج لفتح الورقة السفلية التي تحتوي على خيارات متوافرة"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "الضغط المزدوج لإعادة آخر تغيير"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "تنزيل النسخة الاحتياطية"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "تنزيل الملف"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "التنزيلات"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "المسودات"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "تكرار"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "تكرار المكوِّن"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "شرق"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "تحرير مكوّن %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "تحرير كلمة قائمة الحظر"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "تحرير المقالة"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "تحرير الملف"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "تحرير الصورة"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "تحرير أزرار المشاركة"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "تحرير المقالة أولاً"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "تحرير باستخدام محرر الويب"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "تم إرسال البريد الإلكتروني!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "فارغ"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "عنوان URL فارغ"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "تفعيل"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "تاريخ الانتهاء"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "الدخول إلى وضع ملء الشاشة"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "إدخال عنوان URL لتضمينه هنا..."; /* Enter a custom value */ "Enter a custom value" = "أدخل قيمة مخصصة"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "إدخال كلمة مرور لحماية هذه المقالة"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "أدخل كلمات مختلفة أعلاه وسنبحث عن عنوان يطابقها."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "أدخل بيانات اعتماد الخادم الخاص بك لتمكين استعادة الموقع بنقرة واحدة من النُسخ الاحتياطية."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "أدخل بيانات اعتماد خادمك لإصلاح التهديد."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "أدخل بيانات اعتماد خادمك لإصلاح التهديدات."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "حدث خطأ في إعدادات تسريع الموقع"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "الحدث"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "استكشاف الخطط"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "تصدير المحتوى"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "لم يتم رفع الصورة البارزة"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "جاري جلب القوالب..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "نوع الملف"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "التعبئة باستخدام مدير كلمات المرور"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "الاسم الأول"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "إصلاح الكل"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "تمت المعالجة"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "جاري معالجة التهديدات"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "كرة القدم"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "قمنا بتعبئة معلومات جهات الاتصال الخاصة بك مسبقًا على حسابك في WordPress.com من أجل راحتك. يرجى المراجعة للتأكد من صحة المعلومات التي ترغب في استخدامها لهذا النطاق."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "إعادة التوجيه"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "مجانًا"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "التسمية التوضيحية للمعرض. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "جعل موقعك جاهزًا للعمل وقيد التشغيل"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "الحصول على الإلهام"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "الحصول على معلومات الحساب"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "توقف"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "حدِّد اسمًا لموقعك يعكس هويته وموضوعه. الاعتماد على الانطباعات الأولى!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "محتوى HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "رأس الصفحة 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "رأس الصفحة 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "عنوان %d"; /* H1 Aztec Style */ "Heading 1" = "العنوان 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "العنوان 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "مساعدة"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "أيقونة المساعدة"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "فيما يلي طريقة تنفيذ المقالة حتى الآن."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "إخفاء لوحة المفاتيح"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "احتجاز من أجل الإدارة"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "مرحى!\nعلى وشك الانتهاء"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "كيف أصلح Jetpack هذا الأمر؟"; @@ -3709,7 +3080,7 @@ "I Like It" = "يعجبني هذا"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "لقد ألهمتني أعمال المصور كاميرون كارستن للغاية. سأجرِّب هذه التقنيات في المحاولة التالية"; /* Title of a button style */ "Icon & Text" = "أيقونة ونص"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "إذا قمت بالمتابعة مع Apple أو Google وليس لديك حساب WordPress.com بالفعل، فأنت تقوم بإنشاء حساب وتوافق على _شروط الخدمة_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "إذا قمتَ بإزالة %1$@، فلن يتمكن هذا المستخدم بعد الآن من الوصول إلى هذا الموقع، ولكن سيظل أي محتوى قام %2$@ بإنشائه على الموقع."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "حجم الصورة"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "تسمية توضيحية للصورة. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "إعدادات الصورة"; /* Hint for image title on image settings. */ -"Image title" = "عنوان الصورة"; - -/* No comment provided by engineer. */ -"Image width" = "عرض الصورة"; +"Image title" = "عنوان الصورة"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "الصورة %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "حالاً"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "بكلمات قليلة، اكتب نبذة قصيرة عن الموقع."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "غير مفعل"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "اسم المستخدم أو كلمة المرور غير صحيحين. يُرجى محاولة إدخال بيانات تسجيل دخولك مرة أخرى."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "ملف أساسي (core file) مصاب"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "أضف وسائط"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "إدراج وسائط"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "إدراج المحدَّد"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "يمكن أن يستغرق تثبيت الإضافة الأولى على موقعك حتى دقيقة واحدة. لن تتمكن من إجراء تغييرات على موقعك خلال هذه الفترة."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "مقدمة لمقالات القصص"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "مائل"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "واكب التحديثات المتعلقة بأداء موقعك."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "المستخدمون المشهورون"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "التسمية"; -/* No comment provided by engineer. */ -"Landscape" = "Landscape"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "اللغة"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "كبير"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "ملخص آخر مقالة"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "تعرف على المزيد"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "اعرف المزيد عن تنسيق التاريخ والوقت."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "معرفة المزيد عن الأدوار (الرُتب)"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "الأيقونات القديمة"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "دعنا نساعدك"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "أخبرني عند الانتهاء!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "المستوى %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "المستوى %s. فارغ."; - /* Title for the app appearance setting for light mode */ "Light" = "فاتح"; @@ -4202,19 +3489,7 @@ "Link To" = "رابط لـ"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "رابط لـ"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "ربط بمحتوى موجود"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "الروابط في التعليقات"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "نمط القائمة"; -/* No comment provided by engineer. */ -"List text" = "نص القائمة"; - /* Title of the screen that load selected the revisions. */ "Load" = "تحميل"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "جاري التحميل ..."; -/* No comment provided by engineer. */ -"Loading…" = "جاري التحميل …"; - /* Status for Media object that is only exists locally. */ "Local" = "محلي"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "سجِّل الدخول من خلال اسم المستخدم وكلمة المرور الخاصين بحسابك على WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "هل ترغب في تسجيل الخروج من ووردبريس؟"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "انتهت صلاحية طلب تسجيل الدخول"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "السجلات"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "يبدو أنّ لديك Jetpack معدٌ على موقعك. تهانينا! قم بتسجيل الدخول باستخدام بيانات اعتماد WordPress.com لتمكين الإحصاءات والإشعارات."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "التكرار"; /* Title of a button. */ "Lost your password?" = "هل فقدت كلمة مرورك؟"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "التنقل الرئيسي"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "مطابقة الحسابات باستخدام البريد الإلكتروني"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "أقصى حجم لرفع الصور"; /* Title for the video size settings option. */ "Max Video Upload Size" = "أقصى حجم لمقطع الفيديو الذي سيتم رفعه"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "رفع الوسائط"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "منطقة الوسائط"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "لا تحتوي وسائل التواصل على ملف مرتبط لرفعه."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "ملف الوسائط"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "حجم ملف الوسائط (%1$@) كبير لدرجة يتعذر معها رفعه. الحد الأقصى المسموح به هو %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "فشل معاينة الوسائط."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "الوسائط المرفوعة (%ld الملفات)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "راقب وقت التشغيل في موقعك"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "أشهر"; @@ -4625,17 +3846,14 @@ /* Section title for global related posts. */ "More on WordPress.com" = "المزيد على WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "الوقت الأكثر شعبية"; /* No comment provided by engineer. */ -"Move Image Backward" = "تحريك الصورة إلى الخلف"; +"Move Image Backward" = "تحريك الصورة للخلف"; /* No comment provided by engineer. */ -"Move Image Forward" = "تحريك الصورة إلى الأمام"; +"Move Image Forward" = "تحريك الصورة للأمام"; /* No comment provided by engineer. */ "Move block down" = "تحريك المكوّن لأسفل"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "تحريك للأسفل"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "نقل عنصر القائمة"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "يَنقل التعليق إلى سلة المهملات."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "متاحف يجب رؤيتها في لندن"; /* An example tag used in the login prologue screens. */ "Music" = "الموسيقى"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "ملفي الشخصي"; @@ -4725,10 +3934,7 @@ "My Tickets" = "تذاكري"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "أفضل عشرة مقاهي"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "التنقل لتخصيص التدرج"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "هل تحتاج إلى المساعدة؟"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "كلمة جديدة بقائمة الحظر"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "أيقونة تطبيق مخصصة جديدة"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "مقالات جديدة"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "الأحدث"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "التالي"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "الخطوات التالية"; /* Accessibility label for the next notification button */ "Next notification" = "التنبيه التالي"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "الفترة التالية"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "لا"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "لا يوجد اتصال"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "لا توجد عناصر"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "لا توجد تعليقات حتى الآن"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "لا توجد مقالات."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "لا توجد مقالات حديثة"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "لم تشاهد البريد الإلكتروني؟ تحقّق من مجلد البريد المزعج أو البريد العشوائي."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "ملحوظة: قد يختلف تخطيط العمود بين القوالب وأحجام الشاشة"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "لم يتم العثور على شيء."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "رقم"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "قائمة مرقّمة"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "زر One Password"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "أنظر فقط للإحصائيات الأكثر صلة. أضف رؤى لتناسب احتياجاتك."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "عفوًا!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "فتح قائمة إجراءات المكوِّن"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "فتح إعدادات الجهاز"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "فتح ووردبريس"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "فتح أداة انتقاء الوسائط بالكامل"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "أو تسجيل الدخول عن طريق _إدخال عنوان موقعك_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "قائمة مرتبة"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "المؤسسة"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "مواقع أخرى"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "تم التجاوز"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "الهاتف"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "الصفحة"; -/* No comment provided by engineer. */ -"Page Link" = "رابط الصفحة"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "تمت استعادة الصفحة إلى مسودات"; @@ -5363,7 +4494,7 @@ "Page Settings" = "إعدادات الصفحة"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "فاصل الصفحة"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "مكوِّن فاصل الصفحات. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "ترقيم الصفحات"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "التصنيف الأب"; @@ -5442,7 +4567,7 @@ "Paste URL" = "لصق الرابط"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "لصق المكوِّن بعد"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "اللصق من دون تنسيق"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "اختر تخطيط الصفحة الرئيسية المفضَّل لديك. يمكنك تعديله أو تخصيصه لاحقًا."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "الخطة"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "الخطط"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "تشغيل الفيديو"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "يرجى إضافة بعض المحتوى قبل محاولة النشر."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "اللغات الشائعة"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "مقالة"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "تصنيفات المقالة"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "تنسيق المقالة"; -/* No comment provided by engineer. */ -"Post Link" = "رابط المقالة"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "تم استعادة المقالة إلى المسودات"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "مقالة باسم %1$@، من %2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "إعدادات محتوى المقالة"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "تمّ إنشاء المقالة على %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "فشل رفع المقالة"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "إعدادات بيانات تعريف المقالة"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "تم نقل المقالة إلى سلة المهملات."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "تم النشر في %1$@، عند %2$@، بواسطة %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "نشاط النشر"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "مقالات"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "صفحة المقالات"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "مدعوم من Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "التحميل المسبق"; /* Browse premium themes selection title */ "Premium" = "الإصدار المميز"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "يمكنك معاينة موقعك الجديد لرؤية ما سيراه الزائرون."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "التنبيه السابق"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "الفترة السابقة"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "الموقع الرئيسي"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "مشاريع"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "عام"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "جاري النشر..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "عمليات الشراء"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "تم إيقاف تشغيل تنبيهات الدفع في إعدادات iOS. قم بتبديل \"السماح بالتنبيهات\" لتشغيلها من جديد."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "البدء السريع"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "ضع تصنيفًا لنا على متجر التطبيقات"; /* No comment provided by engineer. */ "Read more" = "قراءة المزيد"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "مواصلة القراءة"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "تمت إعادة الاتصال"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "توجيه"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "تعرض المقالات ذات الصلة المحتوى ذا الصلة من موقعك أسفل مقالاتك"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "حذف هذه المقالة من المقالات المحفوظة."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "إزالة الفيديو"; @@ -6226,7 +5249,7 @@ "Replace file" = "استبدال الملف"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "استبدال صورة"; /* No comment provided by engineer. */ "Replace image or video" = "استبدال صورة أو فيديو"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "تغيير الحجم والقص"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "الدقة"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "استعادة الموقع"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "استعادة إلى هذه النقطة"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "تُعد المكوِّنات القابلة لإعادة الاستخدام غير قابلة للتحرير على ووردبريس بالنسبة إلى نظام تشغيل iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "إرجاع التغيير المعلق"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "الدور"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "تم إرسال SMS"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "تحديد نمط الفقرة"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "حدّد %@ لإضافة حساباتك على وسائل التواصل الاجتماعي"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "إرسال تنبيهات الدفع"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "الحصول على الصور من خوادمنا"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "تعيين كصفحة مقالات"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "الإعداد"; @@ -6819,10 +5818,7 @@ "Sharing error" = "خطأ في المشاركة"; /* No comment provided by engineer. */ -"Shortcode" = "Shortcode"; - -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; +"Shortcode" = "كود قصير"; /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "عرض الترويسة"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "عرض المقالات ذات الصلة"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "إظهار زر التنزيل"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "إظهار محتوى المقالة"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "إظهار القسم"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "إظهار مقالاتي فقط"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "عرض الإحصائيات لـ:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "يعرض مقالات الموقع."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "اشترك"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "لغة الموقع"; -/* No comment provided by engineer. */ -"Site Logo" = "شعار الموقع"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "أمان الموقع وأداؤه\nمن جيبك"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "المنطقة الزمنيّة للموقع (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "تم تغيير عنوان الموقع بنجاح"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "المواقع"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "مواقع لمتابعتها"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "الحجم"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "اجتماعي"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "فشلت بعض عمليات رفع الوسائط. سيؤدي هذا الإجراء إلى إزالة كل الوسائط الفاشلة من المقالة.\nهل تريد الحفظ على أي حال؟"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "عذرًا، اسم المستخدم غير متاح."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "عذرًا، يمكن أن تحتوي أسماء المستخدمين فقط على حروف أبجدية صغيرة (a-z) وأرقام."; @@ -7152,23 +6112,17 @@ "Sort By" = "فرز حسب"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "الفرز والتصفية"; /* Opens the Github Repository Web */ "Source Code" = "التعليمات البرمجية المصدر"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "جنوب"; /* Label for showing the available disk space quota available for media */ "Space used" = "المساحة المستخدمة"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "زيادة سرعة موقعك"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "قياسي"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "البدء من جديد"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "البدء بالكتابة…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "يتوسطه خط"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "جاري التقديم للمراجعة..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "تم مسح فهرس spotlight بنجاح"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "الدعم"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "تبديل الموقع"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "النظام الافتراضي"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "جدول المحتويات"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "جدول يعرض %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "العلامة"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "رابط الوسم"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "يوجد وسم بالفعل"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "أخبرنا بنوع الموقع الذي ترغب في إنشائه"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "الشروط والأحكام"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "نص فقط"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "اكتب رمزًا لي بدلاً من ذلك"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "شكرًا لاختيارك %1$@ من %2$@"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "تجري حاليًا صيانة تطبيق ووردبريس للأندرويد"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "أفضل المعجبين بالعالم"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "لا يمكن للتطبيق التعرف على استجابة الخادم. يُرجى التحقق من تكوين موقعك."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "شهادة هذا الخادم غير صالحة. قد تكون مرتبطًا بخادم يبدو "%@" والذي قد يجعل معلوماتك السرية في خطر.\n\nهل تريد أن تثق في الشهادة على أية حال؟"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "يحتوي الملف %1$@ على نمط أكواد برمجية ضارة"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "تعذرت إضافة الفيديو إلى مكتبة الوسائط."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "تم تفعيل القالب"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "توجد مشكلة في الاتصال بـ %@. أعد الاتصال لمتابعة الإشهار."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "يلزم هذا التطبيق إذن بالوصول إلى مكتبة وسائط الجهاز لإضافة الصور و\/أو مقاطع الفيديو إلى مقالاتك. يُرجى تغيير إعدادات الخصوصية إذا كنت ترغب في السماح بهذا."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "هذا النطاق غير متاح."; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "تم تجاهل التهديد."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "صورة مصغرة"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "العنوان"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "عنوان التصنيف إلزامي."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "لإضافة صور أو مقاطع فيديو إلى مقالاتك."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "للاستمرار باستخدام حساب Google هذا، يُرجى تسجيل الدخول أولاً باستخدام كلمة مرور حساب WordPress.com الخاص بك. سيُطلب منك هذا مرة واحدة فقط."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "لالتقاط صور أو مقاطع فيديو لاستخدامها في مقالاتك."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "التبديل بين مصدر HTML "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "تبديل نمط القائمة المرتبة"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "إجمالي الكلمات"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "المرور"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "تحويل %s إلى"; + +/* No comment provided by engineer. */ +"Transform block…" = "تحويل مكوّن…"; + /* No comment provided by engineer. */ "Translate" = "الترجمة"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "اسم مستخدم تويتر"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "كتابة كلمة أساسية لمزيد من الأفكار"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "موقع بلا اسم"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "قائمة غير مرتبة"; @@ -8382,7 +7213,7 @@ "Unread" = "غير مقروء"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "لم يتم الرد"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "لم يتم حفظ التغييرات"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "بدون عنوان"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "تم حفظ عدد كبير من السجلات لفترة تصل إلى سبعة أيام."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "رفع الوسائط"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "رفع أيقونة الموقع"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "رفع صورة، أو اختيار صورة من مكتبة الوسائط الخاصة بك، لتكن شعار موقعك."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "فشل الرفع"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "استخدام الموقع الحالي"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "استخدام مُحرر المكوّنات"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "استخدم هذا الرابط لضمّ أعضاء فريقك دون الحاجة إلى دعوتهم واحدًا تلو الآخر. سيتمكن أي شخص يزور عنوان الموقع هذا من الاشتراك في مؤسستك، حتى إذا تلقى الرابط من شخص آخر، لذا تأكد من مشاركته مع أشخاص موثوق بهم."; /* No comment provided by engineer. */ "Use this site" = "استخدام هذا الموقع"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "التحقُّق من عنوان بريدك الإلكتروني - تم إرسال الإرشادات إلى %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "النسخة"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "الإصدار %@ متاح"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "معاينة الفيديو غير متوفرة"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "تسمية الفيديو. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "تم إلغاء تصدير مقطع الفيديو."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "إعدادات الفيديو"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "الفيديو %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "المشاهدون"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "القالب المعرض للاختراق: %1$@ (النسخة %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "مسؤول ووردبريس"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "أهلاً بك في القارئ"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "مرحبًا بك في أداة إنشاء مواقع الويب الأكثر رواجًا في العالم."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "عذرًا، هذا رمز تحقق من عاملين غير صالح. تحقق مجددًا من رمزك وحاول مجددًا!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "المربعات الجانبية"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "لن تكون مرئية للجميع."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "باستخدام هذا المحرر القوي، يمكنك النشر أثناء التنقّل."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "إعدادات تطبيق ووردبريس"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "اكتب ردًا…"; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "كتابة الكود…"; /* Title for the writing section in site settings screen */ "Writing" = "الكتابة"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "يظهر عنوان موقعك في الشريط الموجود أعلى الشاشة عندما تزور موقعك من متصفح Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "تم إنشاء موقعك!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "أنت الآن تستخدم محرِّر المكوّن للمقالات الجديدة — رائع! إذا كنت ترغب في التغيير إلى المحرِّر التقليدي، فانتقل إلى \"موقعي\" > \"إعدادات الموقع\"."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[تعليق]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "ساعة"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "صوت"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "بواسطة %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "الاتصالات"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "ملخص عناوين المستند"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "أنقر نقرًا مزدوجًا لتغيير الوحدة"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "على سبيل المثال 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "على سبيل المثال 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "متابع"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (عنوان URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "صورة"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "صورة ⁦%1$d⁩ من ⁦%2$d⁩ في المعرض"; /* Text for related post cell preview */ "in \"Apps\"" = "في \"التطبيقات\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "في وقتٍ لاحقٍ اليوم"; -/* No comment provided by engineer. */ -"link" = "رابط"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "من"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "أخرى"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "كلمة المرور"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "رقم الهاتف"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "مقالة"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "ملخّص (موجز)"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "سيتم حذف هذه العناصر:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "اليوم"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "ووردبريس، المواقع، الموقع، المدونات، المدونة"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "يجري إعداد نطاقك الجديد %@. يقوم موقعك ببعض الحركات البهلوانية من أجل الإثارة!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• نطاقات"; diff --git a/WordPress/Resources/bg.lproj/Localizable.strings b/WordPress/Resources/bg.lproj/Localizable.strings index 43c020184acf..3ec83b351136 100644 --- a/WordPress/Resources/bg.lproj/Localizable.strings +++ b/WordPress/Resources/bg.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Бутонът \"още\" съдържа падащо меню с бутони за споделяне"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Информация"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Добавете описателен текст"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Добавяне на сайт от друг хостинг"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Албуми"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Подравняване"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Сигурни ли сте, че искате да отхвърлите промените?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Блокиране на злонамерени опити за вписване"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Удебеляване"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Разделяне на коментарите на страници."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Стил на бутона"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Пресмятане..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Камера"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Надпис"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Внимание!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Категория"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Липсва заглавие на категорията."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Грешка със сертификата"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Промяната е неуспешна"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Грешка при изтегляне на покупките"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Затваряне на дискусията"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Връзки"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Контакт"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Връзка с отдела по поддръжка"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Неуспешно изтегляне на покупките."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Създаване на сайт в WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Задаване на настройки за харесвания, коментари, абонаменти и други."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "По подразбиране"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "По подразбиране за нови публикации"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Грешка при изтриване на сайта"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Описание"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Детайли"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Публично име"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Документ: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Изток"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Редактиране"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Редактиране на бутоните за споделяне"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Имейлът бе изпратен!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Празен адрес"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Експортиране на съдържание"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Неуспешно зареждане на картинката"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Изтегляне на темите..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Файлов тип"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Собствено име"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Напред"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Безплатни"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Отмяна"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML съдържание"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Заглавие 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Заглавие 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Заглавие 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Помощ"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Скриване на клавиатурата"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Задържане за модерация"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Размер на изображението"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Заглавие на изображението"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Заглавие на изображението"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Изображение, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Веднага"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "С няколко думи, разкажете за какво е този сайт."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Невалидно потребителско име или парола. Опитайте отново."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Вмъкване на медиен файл"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Вмъкване на медия"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Курсив"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Познати потребители"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Етикет"; -/* No comment provided by engineer. */ -"Landscape" = "Хоризонтално"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Език"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Високо"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Кратко описание на последната публикация"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Нека ви помогнем"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Връзка към"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Връзки в коментарите"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Зареждане..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Локално"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Заявката за влизане е изтекла"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Логове"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Изгубена парола?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Основна навигация"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Максимален размер за качване на файл"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Максимален размер за качване на видео"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Месеца"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Моят профил"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Помощ?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Най-нов"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Следваща"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Следващо уведомление"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Не"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Няма връзка"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Няма елементи"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Няма коментари"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Няма скорошни публикации"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Нищо не бе открито."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Номериран списък"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Упс!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Отваряне на WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Подреден списък"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Други сайтове"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Страница"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Страницата бе възстановена като чернова"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Страници"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Категория родител"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Планове"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Популярни езици"; -/* No comment provided by engineer. */ -"Portrait" = "Портрет"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Публикация"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Категории"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Формат"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Публикацията бе възстановена като чернова"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Активност"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Публикации"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Основен сайт"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Проекти"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Публична"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Публикуване..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Покупки"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Гласувайте за нас в App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Свързахте се отново"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Източник"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Модулът за свързани публикации показва релевантно съдържание от вашия сайт под публикациите ви."; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Преоразмеряване и изрязване"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Разделителна способност"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Отмяна на изчакващата промяна"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Роля"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS изпратен"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Към заглавната част"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Език на сайта"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Сайтове"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Размер"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Някои качвания на файлове се провалиха. Това действие ще премахне всички провалени файлове от публикацията. Запазване въпреки това?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Ех, това потребителско име е заето."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Потребителското име може да съдържа само малки букви (a-z) и цифри."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Изходен код"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Юг"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Стандартна"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Започване отначало"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Зачеркнат"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Помощ"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Превключване на сайта"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Етикет"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Само текст"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Изпращане на код чрез SMS"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Благодарим ви, че избрахте %1$@ от %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Сертификатът на този сървър е невалиден. Възможно е да се свързвате със сървър който се преструва че е \"%@\", което да изложи ваша конфиденциална информация на риск.\n\nСигурни ли сте, че искате да се доверите на този сертификат?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Темата е активирана"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Възникна грешка при свързването с %@. Свържете се отново, за да продължите да споделяте."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Това приложение се нуждае от права да достъпва вашите медийни файлове, за да може да се добавят снимки и\/или видео в публикациите ви. Моля, променете вашите настройки за поверителност ако искате да разрешите това."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Умалена картинка"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Заглавие"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Заглавието на категория е задължително"; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Да добавяте снимки или видео към публикациите си."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "За да заснемате снимки или видео клипове за вашите публикации."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Включване на HTML"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Потребителско име в Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Сайт без име"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Неподреден списък"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Съхраняват се журнали за последните 7 дни."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Неуспешно качване"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Използване на текущото местоположение"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Използване на този сайт"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Версия"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Посетители"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Добре дошли в Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Няма да бъде показван публично."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Писане"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "1 час"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "аудио"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (Адрес)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "изображение"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "в \"Приложения\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "по-късно днес"; -/* No comment provided by engineer. */ -"link" = "връзка"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "днес"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Домейни"; diff --git a/WordPress/Resources/cs.lproj/Localizable.strings b/WordPress/Resources/cs.lproj/Localizable.strings index 28f5a5904508..d3e5108d05f0 100644 --- a/WordPress/Resources/cs.lproj/Localizable.strings +++ b/WordPress/Resources/cs.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-06 10:30:27+0000 */ +/* Translation-Revision-Date: 2021-05-10 18:55:30+0000 */ /* Plural-Forms: nplurals=3; plural=(n == 1) ? 0 : ((n >= 2 && n <= 4) ? 1 : 2); */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: cs_CZ */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d neviditelných příspěvků"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d z %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s změnit na %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s je %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li slov, %2$li znaků"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s možnosti bloku"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s blok. Prázdný"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s blok. Tento blok má neplatný obsah"; -/* translators: %s: Number of comments */ -"%s comment" = "%s komentář"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s označení"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' není plně podporován"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adresní řádek %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Vybrat -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ \"Block\" je abstraktní termín používaný \\ n\n\/\/ na popis jednotek značky, které \\ n\n\/\/ když jsou spojeny dohromady, vytvářejí \\ n\n\/\/ obsah nebo rozložení stránky. \\ N\nregisterBlockType (název, nastavení);"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Byl nahrán 1 koncept příspěvku"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Nalezena 1 potenciální hrozba"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hodina"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tlačítko \"více\" obsahuje rozbalovací seznam, který zobrazuje tlačítka sdílení"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Vybraný obrázek je nastaven. Klepnutím ho změňte."; /* Title for a threat */ "A file contains a malicious code pattern" = "Soubor obsahuje vzor škodlivého kódu"; -/* No comment provided by engineer. */ -"A link to a category." = "Odkaz na rubriku."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Odkaz na stránku."; - -/* No comment provided by engineer. */ -"A link to a post." = "Odkaz na příspěvek."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Odkaz na štítek."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Seznam webů v tomto účtu."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Série kroků, které vám pomohou rozšířit publikum vašeho webu."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Značka s názvem '%@' již existuje."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Adresa"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "O nás"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Přidejte novou statistickou kartu"; -/* No comment provided by engineer. */ -"Add Template" = "Přidat šablonu"; - /* No comment provided by engineer. */ "Add To Beginning" = "Přidat na začátek"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Přidat téma"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Zde přidejte vlastní adresu URL CSS, která se načte do aplikace Reader. Pokud používáte Calypso místně, může to být něco jako: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Přidejte web s vlastním hostitelem"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Přidat alternativní text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Přidejte jakékoli téma"; /* No comment provided by engineer. */ "Add caption" = "Přidat titulek"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Přidejte vlastní kód HTML a zobrazte jeho náhled při úpravách."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Přidejte obrázek nebo avatar, který představuje tento nový účet."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Přidat blok odstavců"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Přidat citát"; - /* Add self-hosted site button */ "Add self-hosted site" = "Přidejte vlastní web"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Přidat štítky"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Přidejte text, který respektuje vaše odsazení, tabulátory, a také umožňuje stylování."; - /* No comment provided by engineer. */ "Add text…" = "Přidat text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Přidejte tento e-mailový odkaz"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Přidejte tento telefonní odkaz"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Přidejte mezeru mezi bloky a upravte její výšku."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Přidávání funkcí webu"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Alba"; -/* No comment provided by engineer. */ -"Align column center" = "Zarovnat sloupec na střed"; - -/* No comment provided by engineer. */ -"Align column left" = "Zarovnat sloupec doleva"; - -/* No comment provided by engineer. */ -"Align column right" = "Zarovnat sloupec doprava"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Zarovnání"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Vyskytla se chyba."; -/* No comment provided by engineer. */ -"An example title" = "Příklad názvu"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Nastala neznámá chyba. Prosím zkuste to znovu."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Schválil komentář"; -/* No comment provided by engineer. */ -"Archive Title" = "Název archívu"; - -/* No comment provided by engineer. */ -"Archive title" = "Název archívu"; - -/* No comment provided by engineer. */ -"Archives settings" = "Nastavení archivů"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Jste si jisti, že chcete zrušit a odstranit změny?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Opravdu chcete provést aktualizaci?"; -/* No comment provided by engineer. */ -"Area" = "Oblast"; - /* An example tag used in the login prologue screens. */ "Art" = "Umění"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Od 1. srpna 2018 již Facebook neumožňuje přímé sdílení příspěvků na profily Facebooku. Připojení k Facebook stránkám zůstávají nezměněna."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Poměr stran"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Připojit soubor jako odkaz"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio přehrávač"; -/* No comment provided by engineer. */ -"Audio caption text" = "Text zvukových titulků"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Zvukový titulek. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Blok nelze vykreslit uvnitř sebe."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blok zkopírován"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blok vyjmut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blok duplikován"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor bloků povolen"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blokovat škodlivé pokusy o přihlášení"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blok vložen"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blok odstraněn"; + +/* No comment provided by engineer. */ +"Block settings" = "Nastavení bloku"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Zablokovat tento web"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Prohlížeč blogu"; -/* No comment provided by engineer. */ -"Body cell text" = "Text hlavní buňky"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Zvýraznit"; -/* No comment provided by engineer. */ -"Border" = "Ohraničení"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Rozdělit vlákna komentářů do více stránek."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Prozkoumejte seznam šablon a nejděte tu co se hodí nejvíce."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Výchozí prohlížeč"; @@ -1159,10 +1007,7 @@ "Button Style" = "Styl tlačítek"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Tlačítka zobrazená ve sloupci."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Tlačítka zobrazená v řádku."; +"ButtonGroup" = "Skupina tlačítek"; /* Label for the post author in the post detail. */ "By " = "od "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Výpočet..."; -/* No comment provided by engineer. */ -"Call to Action" = "Výzva k akci"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Fotoaparát"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Titulek"; -/* No comment provided by engineer. */ -"Captions" = "Popisky"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Opatrně!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Rubrika"; -/* No comment provided by engineer. */ -"Category Link" = "Odkaz rubriky"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Chybí název rubriky."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Chyba certifikátu"; -/* No comment provided by engineer. */ -"Change Date" = "Změnit datum"; - /* Account Settings Change password label Main title */ "Change Password" = "Změnit heslo"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Změňte pozici bloku"; -/* No comment provided by engineer. */ -"Change column alignment" = "Změnit zarovnání sloupce"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Změna zrušena"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Změna uživatelského jména"; -/* No comment provided by engineer. */ -"Chapters" = "Kapitoly"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Zkontrolujte chybu při nákupu"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Zvolit doménu"; -/* No comment provided by engineer. */ -"Choose existing" = "Vybrat existující"; - /* No comment provided by engineer. */ "Choose file" = "Vyberte soubor"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Vymazat všechny staré protokoly aktivit?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Vymazat přizpůsobení"; - /* No comment provided by engineer. */ "Clear search" = "Vymazat vyhledávání"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Uzavřít komentování"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Zavřít postranní panel globálních stylů"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Zavřít postranní panel zobrazení seznamu"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Zavřít postranní panel nastavení"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Zavřít mou obrazovku"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kód"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Sbalené, %i dokončené úkoly, přepínání rozšiřuje seznam těchto úkolů"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Barevné pozadí"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Textový sloupec %d"; - -/* No comment provided by engineer. */ -"Column count" = "Počet sloupců"; - -/* No comment provided by engineer. */ -"Column settings" = "Nastavení sloupců"; - -/* No comment provided by engineer. */ -"Columns" = "Sloupce"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Spojit bloky do skupiny."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Zkombinujte fotografie, videa a text a vytvořte poutavé příběhy příspěvků, na které lze klepnout, které se vašim návštěvníkům budou líbit."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Připojení"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakt"; - /* Support email label. */ "Contact Email" = "Kontaktní e-mail"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontaktovat podporu"; -/* No comment provided by engineer. */ -"Contact us" = "Kontaktujte nás"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontaktujte nás na adrese %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Struktura obsahu\nBloky: %1$li, Slova: %2$li, Znaky: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Obsah nad tímto blokem se v archivu zobrazí jako stručný výpis příspěvku."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Pokračování s Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Převést na bloky"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Přenést na číslovaný seznam"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Převést na neuspořádaný seznam"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Vaření"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Kopírovat URL do schránky."; - /* No comment provided by engineer. */ "Copied block" = "Zkopírovaný blok"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Zkopírovat odkaz na komentář"; /* No comment provided by engineer. */ -"Copy URL" = "Kopírovat URL"; +"Copy block" = "Kopírovat blok"; /* No comment provided by engineer. */ "Copy file URL" = "Zkopírujte adresu URL souboru"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nepodařilo se zjistit nákupy na webu."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Nemůžete upravit obrázek. %s"; - /* Title of a prompt. */ "Could not follow site" = "Nemůžu sledovat web"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Vytvořit příběhový příspěvek"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Vytvořit web na WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Vytvořit štítek"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Oddělte jednotlivé nápady nebo oddíly vodorovnou čarou."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Vytvořte nový web"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Vytvořte nový web pro své podnikání, časopis nebo osobní blog; nebo připojte stávající instalaci WordPress."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Vytvořte příspěvek nebo stránku"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Vytvořte příspěvek, stránku nebo příběh"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Vytvořte zálohu ke stažení"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Aktuálně se obnovuje: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Vlastní zpráva…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Přizpůsobte si nastavení pro To se mi líbí, Komentáře, Sledování a další."; +/* No comment provided by engineer. */ +"Cut block" = "Vyjmout blok"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Tmavý"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17. prosince, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Základní"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Výchozí adresa URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Výchozí pro nové příspěvky"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Chyba při mazání webu"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Smazat menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Odstranit tento štítek"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Popis"; -/* No comment provided by engineer. */ -"Descriptions" = "Popis"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Vzhled"; /* Title for the desktop web preview */ "Desktop" = "Plocha počítače"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaily"; @@ -2355,94 +2089,7 @@ "Display Name" = "Zobrazované jméno"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "Zobrazit datum příspěvku"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Zde zobrazte své statistiky všech dob. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Zde zobrazte statistiky svého webu pro dnešek. Nakonfigurujte v aplikaci WordPress ve statistikách svého webu."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dokument: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "O nic se nestarejte"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Dvojitým klepnutím a podržením přesunete tuto položku nabídky nahoru nebo dolů"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Dvojitým klepnutím otevřete akční list, kde můžete obrázek upravit, nahradit nebo vymazat"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Dvojitým klepnutím otevřete akční list s dostupnými možnostmi"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Dvojitým klepnutím otevřete spodní list, kde můžete obrázek upravit, nahradit nebo vymazat"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Dvojitým klepnutím otevřete spodní list s dostupnými možnostmi"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Poslední změnu provedete dvojitým klepnutím"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Stáhnout zálohu"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Stáhnout soubor"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Stahování"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Koncepty"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplikovat"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicitní blok"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Východ"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Upravit %@ blok"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Upravit seznam zablokovaných slov"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Upravit příspěvek"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Upravit soubor"; /* No comment provided by engineer. */ "Edit focal point" = "Změňte zaostřovací pole"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Upravit obrázek"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Upravit tlačítka pro sdílení"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Nejprve upravte příspěvek"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Upravit pomocí webového editoru"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-mail poslán!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Prázdný"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Prázdná URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Aktivovat"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Koncové datum"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Vstupte na celou obrazovku"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "Zadejte URL adresu pro vložení..."; /* Enter a custom value */ "Enter a custom value" = "Zadejte vlastní hodnotu"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Chcete-li tento příspěvek chránit, zadejte heslo"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Výše zadejte různá slova a my vyhledáme adresu, která jí odpovídá."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Zadejte přihlašovací údaje k serveru a povolte obnovení stránek ze zálohy jedním kliknutím."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Chcete-li opravit hrozbu, zadejte pověření serveru."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Chcete-li opravit hrozby, zadejte pověření serveru."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Chyba při aktualizaci zrychlení webu"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Událost"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Prozkoumejte plány"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export obsahu"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Doporučené obrázky nenačetl"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Načítám šablony..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Typ souboru"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Vyplňte správce hesel"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Jméno"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Opravit vše"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Opraveno"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Oprava hrozby"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fotbal"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pro vaše pohodlí jsme předvyplnili vaše kontaktní informace na WordPress.com. Zkontrolujte prosím, zda jsou to správné informace, které chcete pro tuto doménu použít."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Vpřed"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Zdarma"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Titulek galerie. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "Zprovozněte svůj web"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "Inspirovat se"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Získávám informace o účtu"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Vzdát se"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Pojmenujte svůj web podle jeho osobnosti a tématu. Počítají se první dojmy!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML obsah"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Nadpis 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Nadpis 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "Nadpis %d"; /* H1 Aztec Style */ "Heading 1" = "Nadpis 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Nadpis 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Nápověda"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Ikona nápovědy"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Zde je ukázka toho, jak si příspěvek zatím vedl."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skrýt klávesnici"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Podržet pro moderaci"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurá!\nSkoro hotovo"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jak to Jetpack opravil?"; @@ -3709,7 +3080,7 @@ "I Like It" = "To se mi líbí"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Práce fotografa Camerona Karstena mě tak inspirovala. Tyto techniky budu zkoušet při příštím"; /* Title of a button style */ "Icon & Text" = "Ikony a text"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Pokud budete pokračovat se společností Apple nebo Google a ještě nemáte účet WordPress.com, vytváříte si účet a souhlasíte s našimi _Smluvními podmínkami_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Pokud odstraníte uživatele %1$@, nebude mít přístup k tomuto webu. Ale všechen obsah který vytvořil %2$@, zůstane na webu."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Velikost obrázku"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Titulek obrázku. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "Nastavení obrázku"; /* Hint for image title on image settings. */ -"Image title" = "Nadpis obrázku"; - -/* No comment provided by engineer. */ -"Image width" = "Šířka obrázku"; +"Image title" = "Nadpis obrázku"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Obrázek, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Okamžitě"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Několika slovy popište, čím se budete na webu zabývat."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Neaktivní"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nesprávné uživatelské jméno nebo heslo. Zkuste to znovu a zadejte vaše přihlašovací údaje."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infikovaný soubor v jádru"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Vložte média"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Vložte média"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Vložit vybrané"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalace prvního pluginu na vaše stránky může trvat až 1 minutu. Během této doby nebudete moci na svém webu provádět žádné změny."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Představujeme příběhy"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kurzíva"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mějte aktuální informace o výkonu svého webu."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Známí uživatelé"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Označení"; -/* No comment provided by engineer. */ -"Landscape" = "Na šířku"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Jazyk"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Velký obrázek"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Přehled posledních příspěvků"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Dozvědět se více"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Další informace o formátování data a času."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Další informace o rolích"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Starší ikony"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Pomůžeme"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Po dokončení mi dejte vědět!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Úroveň %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Úroveň %s. Prázdná."; - /* Title for the app appearance setting for light mode */ "Light" = "Světlý"; @@ -4202,19 +3489,7 @@ "Link To" = "URL odkazu"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "Odkaz na"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Odkaz na existující obsah"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Odkazy v komentářích"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Styl seznamu"; -/* No comment provided by engineer. */ -"List text" = "Seznam textů"; - /* Title of the screen that load selected the revisions. */ "Load" = "Načítání"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Načítání…"; -/* No comment provided by engineer. */ -"Loading…" = "Načítání…"; - /* Status for Media object that is only exists locally. */ "Local" = "Místní"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Přihlaste se pomocí svého uživatelského jména a hesla WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Přejete si odhlásit se?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Žádost o přihlášení vypršela"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logy"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Na svém webu máte nastavený plugin Jetpack. Gratulujeme!\nPro zpřístupnění statistik a oznámení, se prosím níže přihlaste pomocí účtu WordPress.com"; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "Opakovat"; /* Title of a button. */ "Lost your password?" = "Zapomněli jste heslo?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hlavní navigace"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Přiřaďte účty pomocí e-mailu"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Maximální velikost nahrávání"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maximální velikost nahraného videa"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "Nahrávání médií"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "Oblast média"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Média nemají přidružený soubor k nahrání."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "Mediální soubor"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Velikost mediálního souboru (%1$@) je příliš velká na nahrání. Maximální povolená hodnota je %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Náhled médií selhal."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Nahraná média (%ld soubory)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Sledovat dobu provozu webu"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Měsíce"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Více informací o WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Nejoblíbenější čas"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Posunout dolů"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Přesunout položku menu"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "Přesunout komentáře do koše"; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "Muzea k vidění v Londýně"; /* An example tag used in the login prologue screens. */ "Music" = "Hudba"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Můj profil"; @@ -4725,10 +3934,7 @@ "My Tickets" = "Moje vstupenky"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "Moje top desítka kaváren"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Přejde k přizpůsobení přechodu"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Potřebujete pomoc?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nové zablokované slovo"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nová vlastní ikona aplikace"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nové příspěvky"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Nejnovější"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Další"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Další kroky"; /* Accessibility label for the next notification button */ "Next notification" = "Další notifikace"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Další období"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Ne"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Bez připojení"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Žádné položky"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Zatím nemáte žádné komentáře"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Žádné příspěvky."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Žádné nedávné příspěvky"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Nevidíte e-mail? Zkontrolujte složku spamu nebo nevyžádané pošty."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Poznámka: Rozložení sloupců se může u různých šablon a velikostí obrazovky lišit"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nic nenalezeno."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Číslo"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Číslovaný seznam"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Jedno tlačítko hesla"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Zobrazují se pouze nejrelevantnější statistiky. Přidejte statistiky podle svých potřeb."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Jejda!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Otevřete nabídku blokovat akce"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Otevřít nastavení zařízení"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Otevřít WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Otevřít úplný výběr médií"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Nebo se přihlaste _zadáním adresy vašeho webu_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Uspořádaný seznam"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organizace"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Ostatní weby"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Přepsáno"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "Telefon"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Stránka"; -/* No comment provided by engineer. */ -"Page Link" = "Odkaz stránku"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Stránka obnovena do konceptů"; @@ -5363,7 +4494,7 @@ "Page Settings" = "Nastavení stránky"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "Rozdělení stránky"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Blok zalomení stránky. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Stránkování"; -/* No comment provided by engineer. */ -"Paragraph" = "Odstavec"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Nadřazená rubrika"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Vložit URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Vložte blok za"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Vložit bez formátování"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Vyberte si své oblíbené rozvržení domovské stránky. Později jej můžete upravit a přizpůsobit."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plán"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plány"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Pustit video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Než se pokusíte publikovat, přidejte nějaký obsah."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Oblíbené jazyky"; -/* No comment provided by engineer. */ -"Portrait" = "Na výšku"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Příspěvek"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Rubriky příspěvku"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formát příspěvku"; -/* No comment provided by engineer. */ -"Post Link" = "Odkaz příspěvku"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Příspěvek byl obnoven jako koncept"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "Příspěvek od %1$@, z %2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "Nastavení obsahu příspěvku"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Příspěvek vytvořen dne %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "Nahrávání příspěvku se nezdařilo"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "Nastavení dalších informací příspěvku"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Příspěvek byl přesunut do koše."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publikováno v %1$@, na %2$@, od %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Aktivita publikování"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Příspěvky"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Stránka příspěvků"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "Běží na Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "Předběžně načítat"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Zobrazte náhled svého nového webu, abyste viděli, co uvidí vaši návštěvníci."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Předchozí upozornění"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Předchozí období"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primární web"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekty"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publikovat"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publikování..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Nákupy"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push oznámení byla vypnuta v nastavení iOS. Přepnutím možnosti „Povolit oznámení“ je znovu zapnete."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Rychlý start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Ohodnoťte nás na App Store"; /* No comment provided by engineer. */ "Read more" = "Přečtěte si více"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Číst dál"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Znovu připojeno"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Odkazující"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Podobné příspěvky zobrazí relevantní obsah vašeho webu, přímo pod příspěvky."; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Odebrat tento příspěvek z mých uložených příspěvků."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Odstranit video"; @@ -6226,7 +5249,7 @@ "Replace file" = "Nahradit soubor"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "Nahradit obrázek"; /* No comment provided by engineer. */ "Replace image or video" = "Vyměňte obrázek nebo video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Změnit velikost a oříznutí"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Rozlišení"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Obnovit web"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Obnovte do tohoto bodu"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Opakovaně použitelné bloky nelze upravovat na WordPress pro iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Vrátit čekající změnu"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS byla odeslána"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Vyberte styl odstavce"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Vyberte %@ a přidejte své účty sociálních médií"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Odesílejte oznámení push"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Načíst obrázky z našich serverů"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Nastavit jako stránku příspěvků"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Instalace"; @@ -6819,10 +5818,7 @@ "Sharing error" = "Chyba sdílení"; /* No comment provided by engineer. */ -"Shortcode" = "Shortcode"; - -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; +"Shortcode" = "Zkrácený zápis"; /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Zobrazit hlavičku"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "Zobrazit podobné příspěvky"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "Zobrazit tlačítko pro stažení"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Zobrazit obsah příspěvku"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Zobrazit sekci"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Zobrazují se pouze moje příspěvky"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Zobrazeny statistiky pro:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Zobrazuje příspěvky webu."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Zaregistrovat se"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Jazyk webu"; -/* No comment provided by engineer. */ -"Site Logo" = "Logo webu"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "Zabezpečení a výkon webu\nv kapse"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Časové pásmo webu (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Název webu byl úspěšně změněn"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Weby"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Weby, které je třeba sledovat"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Velikost"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Sociální"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Některá nahrání medií se nezdařila. Tato akce odstraní všechna neúspěšné nahraná média z příspěvku.\nPřesto přepnout?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Zvolené uživatelské jméno už bohužel existuje."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Adresa webu může obsahovat pouze malá písmena (a-z) a číslice."; @@ -7152,23 +6112,17 @@ "Sort By" = "Seřadit podle"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "Filtry a řazení"; /* Opens the Github Repository Web */ "Source Code" = "Zdrojový kód"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Jih"; /* Label for showing the available disk space quota available for media */ "Space used" = "Využitý prostor"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Zrychlete svůj web"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standardní"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Začít znovu"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Začít psát..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Přeškrtnutí"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Pahýl"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Odesláním ke kontrole..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Index reflektoru byl úspěšně vymazán"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Podpora"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Přepnout web"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Výchozí systém"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Tabulka obsahu"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Zobrazení tabulky %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Štítek"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Odkaz štítku"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Značka již existuje"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Řekněte nám, jakou stránku byste chtěli vytvořit"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Pravidla a podmínky"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Pouze text"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Pošlete mi raději kód."; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Děkujeme, že používáte %1$@ od autora %2$@"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "Aplikace WordPress pro Android má vylepšený vzhled"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "Nejlepší fanoušci světa"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Aplikace nemůže rozpoznat odpověď serveru. Zkontrolujte prosím konfiguraci svého webu."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certifikát pro tento server je neplatný. Ty by mohly být připojení k serveru, který předstírá, že je \"%@\", což by mohlo ohrozit vaše důvěrné informace.\n\nBudete přesto důvěřovat certifikátu?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Soubor %1$@ obsahuje vzor škodlivého kódu"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video nelze přidat do knihovny médií."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Šablona byla aktivována"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Je problém připojením k %@. Obnovení připojení k pokračování zveřejnění."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Tato aplikace vyžaduje povolení pro přístupu ke knihovnu médií v zařízení, aby bylo možné přidat fotografie a\/nebo videa do příspěvků. Pokud si to přejete, změňte nastavení soukromí"; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Tato doména není k dispozici"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Hrozba ignorována."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Náhled"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Název"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Název rubriky je povinný."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Chcete přidat fotky a videa do vašeho příspěvku."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Chcete-li pokračovat v tomto účtu Google, nejprve se přihlaste pomocí svého hesla WordPress.com. Toto bude požádáno pouze jednou."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Pořizovat fotky a videa a umožnit použití ve vašich příspěvcích. "; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Přepnout HTML zdroj"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Přepíná styl seřazeného seznamu"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Celkem slov"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Provoz"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Změnit %s na"; + +/* No comment provided by engineer. */ +"Transform block…" = "Změnit blok..."; + /* No comment provided by engineer. */ "Translate" = "Přeložit"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter uživatelské jméno"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Chcete-li získat více nápadů, zadejte klíčové slovo"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Nepojmenovaný web"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Neuspořádaný seznam"; @@ -8382,7 +7213,7 @@ "Unread" = "Nepřečtené"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "Bez odpovědi"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Neuložené změny"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Bez názvu"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Až sedm dní jsou uloženy přihlašovací údaje."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Nahrát média"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Nahrát ikonu webu"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Nahrávání selhalo"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Použít aktuální polohu"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Použijte editor bloků"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Pomocí tohoto odkazu můžete připojit členy svého týmu, aniž byste je museli pozvat jeden po druhém. Kdokoli, kdo navštíví tuto adresu URL, se bude moci zaregistrovat do vaší organizace, i když obdržel odkaz od někoho jiného, takže se ujistěte, že jej sdílíte s důvěryhodnými lidmi."; /* No comment provided by engineer. */ "Use this site" = "Vybrat tuto stránku"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Ověřte svou e-mailovou adresu - pokyny zaslané na %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Verze"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Verze %@ je k dispozici"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Náhled videa není k dispozici"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Titulek videa. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "Export videa byl zrušen."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "Nastavení videa"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Zobrazení"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Zranitelná šablona: %1$@ (verze %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Administrace"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Vítejte ve čtečce"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Vítejte v nejpopulárnějším nástroji na tvorbu webových stránek na světě."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Jejda, nejde o platný dvoufaktorový ověřovací kód. Zkontrolujte svůj kód a zkuste to znovu!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgety"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Nebude veřejně zobrazeno."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "S tímto výkonným editorem můžete psát na cestách."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Nastavení aplikace WordPress"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "Odpovědět..."; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "Napsat kód…"; /* Title for the writing section in site settings screen */ "Writing" = "Psaní"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Při návštěvě webu v Safari se na liště v horní části obrazovky zobrazí vaše adresa."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Váš web byl vytvořen!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Nyní pro nové příspěvky používáte editor bloků - skvělé! Chcete-li přejít na klasický editor, přejděte do části „Můj web“> „Nastavení webu“."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[KOMENTÁŘ]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "hodina"; -/* No comment provided by engineer. */ -"archive" = "archiv"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "citace"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "seznam s odrážkami"; - /* Used when displaying author of a plugin. */ "by %@" = "od %@"; -/* No comment provided by engineer. */ -"cite" = "citát"; - /* The menu item to select during a guided tour. */ "connections" = "připojení"; -/* No comment provided by engineer. */ -"container" = "kontejner"; - -/* No comment provided by engineer. */ -"description" = "popis"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "osnova dokumentu"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "dvojitým klepnutím změníte jednotku"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "fanoušek"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/moje-webova-adresa (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "obrázky"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "%1$d. obrázek z %2$d v galerii"; /* Text for related post cell preview */ "in \"Apps\"" = "v \"Aplikaci\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "Dnes později"; -/* No comment provided by engineer. */ -"link" = "odkaz"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "z"; -/* No comment provided by engineer. */ -"ordered list" = "číslovaný seznam"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "ostatní"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "heslo"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "Telefonní číslo"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "příspěvek"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "Číst dále"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "souhrn"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "tyto položky budou smazány:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "dnes"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "WordPress, stránky, stránka, blogy, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "nastavuje se vaše nová doména %@. Váš web vzrušeně dělá kotrmelce!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Darování"; diff --git a/WordPress/Resources/cy.lproj/Localizable.strings b/WordPress/Resources/cy.lproj/Localizable.strings index 094642680706..2d21e2172f5f 100644 --- a/WordPress/Resources/cy.lproj/Localizable.strings +++ b/WordPress/Resources/cy.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Mae'r botwm \"rhagor\" yn cynnwys cwymplen sy'n dangos y botymau rhannu"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Ynghylch"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Ychwanegu testun arall"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Ychwanegu gwefan hunan-letya"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albumau"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Aliniad"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "A ydych yn siŵr eich bod am diddymu a dileu'r newidiadau?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Trwm"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Torri'r edefyn sylw i dudalennau lluosog."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Arddull Botwm"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Egluryn"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Gofal!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Categori"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Teitl categori ar goll."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Gwall tystysgrif"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Wedi methu newid"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Gwirio Gwallau Prynu"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Cau sylwadau"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Cysylltiadau"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Cysylltu"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Cysylltu â Chefnogaeth"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Methu gwirio'r hyn â brynwyd."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Creu gwefan WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Cyfaddaswch eich gosodiadau gwefan ar gyfer Hoffi, Sylwadau, Dilyn a rhagor."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Rhagosodiadau Gwefannau Newydd"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Gwall Dileu Gwefan"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Description"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Manylion"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Enw Dangos"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dogfen: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Dwyrain"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Golygu Cofnod"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Golygu'r botymau rhannu"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Anfonwyd yr e-bost!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL gwag"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Allforio Cynnwys"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Nid yw'r ddelwedd hon wedi llwytho"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Estyn Themâu..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Enw Cyntaf"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Ymlaen"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Rhad ac am Ddim"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Rhoi'r Gorau"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Cynnwys HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Cymorth"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Cuddio bysellfwrdd"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Dal ar gyfer Cymedroli"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Maint Delwedd"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Teitl delwedd"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Teitl delwedd"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Delwedd, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Ar unwaith"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Esboniwch, mewn ychydig eiriau, bwrpas y wefan."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Enw defnyddiwr neu gyfrinair anghywir. Ceisiwch fewngofnodi eto."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Mewnosod Cyfrwng"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italig"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Defnyddwyr Hysbys"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Landscape"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Iaith"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Mawr"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Crynodeb Cofnodion Diweddar"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Gadewch i ni Helpu"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Cysylltu â"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Dolenni mewn sylwadau"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Llwytho..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Lleol"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Daeth y Cais Mewngofnodi i Ben"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Cofnodion"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Wedi colli eich cyfrinair?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Llywio"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Maint mwyaf Llwytho Delwedd"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Mis"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Fy Mhroffil"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Angen Cymorth?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Diweddaraf"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Nesaf"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Na"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Dim Cysylltiad"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Dim Eitemau"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Dim sylwadau eto"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Dim cofnodion diweddar"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Heb ganfod dim."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Rhestr wedi'i Rhifo"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Wps!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Agor WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Rhestr Drefnus"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Gwefannau Eraill"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Tudalen"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Wedi Adfer Tudalen i'r Drafftiau"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Tudalennu"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraff"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categori Rhiant"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Cynlluniau"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Ieithoedd poblogaidd"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Cofnod"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categoriau Cofnodion"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Fformat Cofnod"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Wedi Adfer Cofnod i'r Drafftiau"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Gweithgaredd Cofnodi"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Cofnodion"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Prif Wefan"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projectau"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Cyhoeddus"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Cyhoeddi..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Wedi eu Prynu"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Barnwch ni yn yr App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Wedi ei hailgysylltu"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Cyfeiriwr"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Mae Cofnodion Perthynol yn dangos cynnwys perthnasol o'ch gwefan islaw eich cofnodion"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Newid Maint a Thocio"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Dychwelyd y Newid sydd o dan Ystyriaeth"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rôl"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS wedi ei anfon"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Dangos Pennyn"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Iaith Gwefan"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Gwefannau"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Maint"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Mae llwytho rhai cyfryngau wedi methu. Bydd y weithred hon yn tynnu'r holl cyfryngau oll wedi methu o'r cofnod.\nCadw beth bynnag?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Ymddiheuriadau, mae'r enw defnyddiwr yna'n bodoli eisoes."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Gall cyfeiriad gwefan gynnwys dim ond llythrennau bach (a-z) a rhifau."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Cod Ffynhonnell"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "De"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Safonol"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Cychwyn Eto"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Llinell Drwodd"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Cefnogaeth"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Newid Gwefan"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Testun yn Unig"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Diolch am ddewis %1$@ gan %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Mae'r dystysgrif ar gyfer y gweinydd hwn yn annilys. Gall eich bod yn cysylltu â gweinydd sy'n esgus bod yn “%@” sy'n gallu peryglu eich gwybodaeth gyfrinachol.\n\nHoffech chi ymddiried yn y dystysgrif beth bynnag?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Thema yn fyw"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Bu anhawster cysylltu â %@. Ailgysylltwch i barhau'r cyhoeddusrwydd."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Mae'r ap angen caniatâd i gael mynediad i lyfrgell cyfryngau eich dyfais er mwyn ychwanegu lluniau a\/neu fideo i'ch cofnodion. Newidiwch y gosodiadau preifatrwydd os ydych yn dymuno caniatáu hyn."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Llun bach"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Teitl"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Mae teitl gyfer y categori yn orfodol."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "I ychwanegu lluniau neu fideos i'ch cofnodion."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "I gymryd lluniau neu fideos i'w defnyddio yn eich cofnodion."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Togglo Ffynhonnell yr HTML "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Enw Defnyddiwr Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Gwefan Di-enw"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Rhestr Didrefn"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Mae gwerth saith diwrnod o ffeiliau cofnod yn cael eu cadw."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Defnyddio'r Lleoliad Cyfredol"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Defnyddiwch y wefan hon"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Fersiwn"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Darllenwyr"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Gweinyddu WP"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Croeso i'r Darllenydd"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Ni fydd yn cael ei ddangos yn gyhoeddus"; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Ysgrifennu"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "awr"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/cyfeiriad-fy-ngwefan (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "image"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "yn \"Apiau\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "yn hwyrach heddiw"; -/* No comment provided by engineer. */ -"link" = "dolen"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "heddiw"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/da.lproj/Localizable.strings b/WordPress/Resources/da.lproj/Localizable.strings index 2a6d74046abe..646da92d19b3 100644 --- a/WordPress/Resources/da.lproj/Localizable.strings +++ b/WordPress/Resources/da.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Om"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Tilføj alternativ tekst"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albummer"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Justering"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Fed"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Billedtekst"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorititel mangler."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certifikatsfejl"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Vælg fil"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakt"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontakt support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Kunne ikke følge websted"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Opret websted på WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Tilpas dit websteds indstillinger for Likes, kommentarer, følgere med mere."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Beskrivelse"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaljer"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Display Name"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Øst"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Rediger indlæg"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Tom URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Filtype"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "First Name"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Viderestil"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Free"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Give Up"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Hjælp"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skjul tastatur"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Billedstørrelse"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Straks"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursiv"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Landskab"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Sprog"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Stor"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link til"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Henter..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logfiler"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Mistet din adgangskode?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hovednavigation"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Måneder"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Brug for hjælp?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Nyeste"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Næste"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Nej"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Ingen forbindelse"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Ingen kommentarer endnu"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No recent posts"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Sorteret liste"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andre websteder"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Forælderkategori"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Populære sprog"; -/* No comment provided by engineer. */ -"Portrait" = "Portræt"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Indlæg"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Indlægskategorier"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Indlægsformat"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Indlæg genskabt under Kladder"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Indlæg"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primært websted"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Offentlig"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Fjern video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS sendt"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Webstedets sprog"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Websteder"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Størrelse"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Beklager, det brugernavn er ikke tilgængeligt."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Beklager, brugernavne kan kun indeholde små bogstaver (a-z) og tal."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Source Code"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Syd"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Sender til godkendelse..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Skift websted"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Kun tekst"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniaturebillede"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Titel"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titel på en kategori er obligatorisk."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-brugernavn"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unavngivet websted"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Ingen titel"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload fejlede"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Brug nuværende placering"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Brug dette websted"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "en time"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "følger"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/adresse-til-websted (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "billede"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "senere i dag"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "Liste (sorteret)"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "i dag"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/de.lproj/Localizable.strings b/WordPress/Resources/de.lproj/Localizable.strings index a6faf6d77091..3a453de036b7 100644 --- a/WordPress/Resources/de.lproj/Localizable.strings +++ b/WordPress/Resources/de.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-05 18:24:22+0000 */ +/* Translation-Revision-Date: 2021-05-12 12:54:54+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: de */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ungesehene Beiträge"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s umgewandelt in %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s ist %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li Wörter, %2$li Zeichen"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s Blockoptionen"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s-Block. Leer"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Block %s. Dieser Block hat ungültigen Inhalt"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "„%s“ wird nicht vollständig unterstützt"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adresszeile %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 Beitragsentwurf hochgeladen"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potenzielle Bedrohung gefunden"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 Stunde"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Der Button „Mehr“ enthält ein Aufklappmenü mit Teilen-Buttons."; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Ein Beitragsbild wurde festgelegt. Tippen, um es zu ändern."; /* Title for a threat */ "A file contains a malicious code pattern" = "Eine Datei enthält ein bösartiges Codemuster"; -/* No comment provided by engineer. */ -"A link to a category." = "Ein Link zu einer Kategorie."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Ein Link zu einer Seite."; - -/* No comment provided by engineer. */ -"A link to a post." = "Ein Link zu einem Beitrag."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Ein Link zu einem Schlagwort."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Eine Liste der Websites in diesem Konto."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Eine Reihe von Schritten, die dir helfen, mit deiner Website ein größeres Publikum zu erreichen."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Ein Schlagwort mit dem Namen „%@“ besteht bereits."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESSE"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Über"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Neue Statistikkarte hinzufügen"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Am Anfang hinzufügen"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Ein Thema hinzufügen"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Füge hier eine individuelle CSS-URL hinzu, die im Reader geladen werden soll. Wenn du Calypso lokal ausführst, kann das etwa folgendermaßen aussehen: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Eine selbst gehostete Website hinzufügen"; @@ -547,20 +449,11 @@ /* No comment provided by engineer. */ "Add alt text" = "Alt-Text hinzufügen"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Beliebiges Thema hinzufügen"; /* No comment provided by engineer. */ -"Add caption" = "Add caption"; - -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; +"Add caption" = "Beschriftung hinzufügen"; /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Füge ein Bild oder einen Avatar hinzu, der dieses neue Konto repräsentiert."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Absatz-Block hinzufügen"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Selbst gehostete Website hinzufügen"; @@ -603,16 +493,7 @@ "Add tags" = "Schlagwörter hinzufügen"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "Text hinzufügen …"; /* No comment provided by engineer. */ "Add this email link" = "Diesen E-Mail-Link hinzufügen"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Diesen Telefonlink hinzufügen"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Die Website-Funktionen werden hinzugefügt"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Alben"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Ausrichtung"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ein Fehler ist aufgetreten."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ein unbekannter Fehler ist aufgetreten. Bitte versuche es erneut."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Genehmigt den Kommentar."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Bist du sicher, dass du abbrechen und die Änderungen verwerfen möchtest?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Bist du sicher, dass du ein Update vornehmen möchtest?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Kunst"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Ab 1. August 2018 lässt Facebook das direkte Teilen von Beiträgen auf Facebook-Profilen nicht mehr zu. Die Verknüpfungen zu Facebook-Seiten bleiben unverändert."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Datei als Link anhängen"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "Anhang-Seite"; /* No comment provided by engineer. */ "Audio Player" = "Audio-Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audiountertitel. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "Audiountertitel. Leer"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "Audio-Einstellungen"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -967,7 +812,7 @@ "Authors" = "Autoren"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "Automatisch"; /* Describes a status of a plugin */ "Auto-managed" = "Automatisch verwaltet"; @@ -1078,17 +923,35 @@ "Block Quote" = "Block-Zitat"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "Block kann nicht in sich selbst gerendert werden."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block wurde kopiert"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block wurde ausgeschnitten"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block wurde dupliziert"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block-Editor aktiviert"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "Block wurde gelöscht oder ist nicht verfügbar."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Böswillige Anmeldeversuche blockieren"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block wurde eingefügt"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block entfernt"; + +/* No comment provided by engineer. */ +"Block settings" = "Blockeinstellungen"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Betrachter des Blogs"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Fett"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Kommentar-Threads auf mehrere Seiten aufteilen."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Durchsuche alle unsere Themes, um das für dich perfekte Theme zu finden."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "Standardbrowser"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Schutz vor Brute-Force-Angriffen"; @@ -1159,10 +1007,7 @@ "Button Style" = "Buttonstil"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "Schaltflächengruppe"; /* Label for the post author in the post detail. */ "By " = "Von"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Berechne..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Bildunterschrift"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Vorsicht!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategorie"; -/* No comment provided by engineer. */ -"Category Link" = "Kategorielink"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorietitel fehlt."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Zertifikatsfehler"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Passwort ändern"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "Block-Position ändern"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Änderung fehlgeschlagen"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "Überschriften-Ebene ändern"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ändere den Geräte-Typ, der für die Vorschau verwendet wird"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Benutzername wird geändert"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Fehler beim Überprüfen der Käufe"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Domain auswählen"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Datei auswählen"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Sollen alle alten Aktivitätsprotokolle gelöscht werden?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Suche löschen"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Kommentarbereich schließen"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Schließe die „Ich“-Ansicht"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Minimiert, %i abgeschlossene Aufgaben, Umschalten maximiert die Liste dieser Aufgaben"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Farbige Hintergründe"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombiniere Fotos, Videos und Text, um ansprechende und antippbare Story-Beiträge zu erstellen, die deine Besucher begeistern."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Verbindungen"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakt"; - /* Support email label. */ "Contact Email" = "Kontakt-E-Mail-Adresse"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Support kontaktieren"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontaktiere uns unter %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Inhaltliche Struktur\nBlöcke: %1$li, Wörter: %2$li, Zeichen: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1814,7 +1599,7 @@ "Continue" = "Weiter"; /* Button title. Takes the user to the login with WordPress.com flow. */ -"Continue With WordPress.com" = "Continue With WordPress.com"; +"Continue With WordPress.com" = "Weiter mit WordPress.com"; /* Menus alert button title to continue making changes. */ "Continue Working" = "Weiterarbeiten"; @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Weiter mit Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "In Blöcke umwandeln"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Kochen"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Kopierter Block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Link in Kommentar kopieren"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Block kopieren"; /* No comment provided by engineer. */ "Copy file URL" = "Datei-URL kopieren"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Die Käufe konnten nicht überprüft werden."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Konnte Website nicht abonnieren"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Story-Beitrag erstellen"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com-Website erstellen"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Ein Schlagwort erstellen"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Eine neue Website erstellen"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Erstelle eine neue Website für dein Geschäft, dein Magazin oder deinen persönlichen Blog oder verbinde eine vorhandene WordPress-Installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Erstelle einen Beitrag oder eine Seite"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Erstelle einen Beitrag, eine Seite oder eine Story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Herunterladbares Backup erstellen"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Wird derzeit wiederhergestellt: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Individuelle Nachricht ..."; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Passe deine Website-Einstellungen für Likes, Kommentare, Follows und mehr an."; +/* No comment provided by engineer. */ +"Cut block" = "Block ausschneiden"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dunkel"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17. Dezember 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standard"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Standard-URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standardeinstellungen für neue Beiträge"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Fehler beim Löschen der Website"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Menü löschen"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Dieses Schlagwort löschen"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Beschreibung"; -/* No comment provided by engineer. */ -"Descriptions" = "Beschreibungen"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Gestalten"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2355,94 +2089,7 @@ "Display Name" = "Anzeigename"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "Beitragsdatum anzeigen"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Zeige hier deine Website-Statistiken der gesamten Zeit an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Zeige hier deine heutige Website-Statistik an. Konfiguriere sie in der WordPress-App in deinen Website-Statistiken."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dokument: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Mach dir keine Sorgen"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Um diesen Menüeintrag nach oben oder unten zu verschieben, zweimal tippen und gedrückt halten"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Tippe zweimal, um das Action Sheet zu öffnen und das Bild zu bearbeiten, auszutauschen oder zu löschen"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Tippe zweimal, um das Action Sheet mit den verfügbaren Optionen zu öffnen"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Tippe zweimal, um das Bottom Sheet zu öffnen und das Bild zu bearbeiten, auszutauschen oder zu löschen"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Tippe zweimal, um das Bottom Sheet mit den verfügbaren Optionen zu öffnen"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Zum Wiederholen der letzten Änderung zweimal tippen"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Backup herunterladen"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Datei herunterladen"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Entwürfe"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplizieren"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Block duplizieren"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Ost"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@-Block bearbeiten"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Wort für Sperrliste bearbeiten"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Artikel bearbeiten"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Datei bearbeiten"; /* No comment provided by engineer. */ "Edit focal point" = "Fokuspunkt bearbeiten"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Bild bearbeiten"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Teilen-Buttons bearbeiten"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Den Beitrag zuerst bearbeiten"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Mit dem Webeditor bearbeiten"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-Mail gesendet!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Leer"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Leere URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Aktivieren"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Enddatum"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Vollbild starten"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "Gib hier die URL zum Einbetten ein …"; /* Enter a custom value */ "Enter a custom value" = "Gib einen individuellen Wert ein"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Gib ein Passwort ein, um diesen Beitrag zu schützen"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Gib oben andere Wörter ein und wir suchen nach einer passenden Adresse."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Gib deine Serveranmeldedaten ein, um Ein-Klick-Website-Wiederherstellungen von Backups zu aktivieren."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Gib deine Server-Anmeldedaten ein, um die Bedrohung zu beheben."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Gib deine Server-Anmeldedaten ein, um Bedrohungen zu beheben."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Fehler beim Aktualisieren der Einstellungen zur Beschleunigung der Website"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Ereignis"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Pläne erkunden"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Inhalte exportieren"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Beitragsbild lädt nicht"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Rufe Themes ab ..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Dateityp"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Mit Passwort-Manager ausfüllen"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Vorname"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Alles beheben"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixiert"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Bedrohungen werden behoben"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "American Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Wir haben bereits deine WordPress.com-Kontaktinformationen für dich ausgefüllt. Überprüfe bitte, ob wir die Informationen, die du für diese Domain verwenden möchtest, korrekt eingegeben haben."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Weiter"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Kostenlos"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Bildunterschrift der Galerie. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "Website einrichten"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "Inspiration"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Hole Konto-Informationen"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Aufgeben"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Wähle einen Namen für deine Website, der am besten zu ihrer Persönlichkeit und Ausrichtung passt. Erste Eindrücke zählen!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML-Inhalt"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "Überschrift %d"; /* H1 Aztec Style */ "Heading 1" = "Überschrift 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Überschrift 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Hilfe"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Hilfe-Icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Hier siehst du, wie der Beitrag bislang abschneidet."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Verstecke Tastatur"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Zur Freischaltung überprüfen"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurra!\nFast geschafft."; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Wie hat Jetpack es behoben?"; @@ -3709,7 +3080,7 @@ "I Like It" = "Mir gefällt das"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Ich finde die Arbeit von Fotograf Cameron Karsten sehr inspirierend. Das nächste Mal probiere ich diese Techniken auch aus"; /* Title of a button style */ "Icon & Text" = "Symbol und Text"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Wenn du mit Apple oder Google fortfährst und noch kein WordPress.com-Konto hast, erstellst du damit ein Konto und stimmst unseren _Geschäftsbedingungen_ zu."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Wenn du %1$@ entfernst, kann dieser Benutzer nicht mehr auf diese Website zugreifen, aber alle von %2$@ erstellten Inhalte bleiben weiterhin auf der Website."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Bildgröße"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Bildunterschrift. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "Bild-Einstellungen"; /* Hint for image title on image settings. */ -"Image title" = "Bildtitel"; - -/* No comment provided by engineer. */ -"Image width" = "Bildbreite"; +"Image title" = "Bildtitel"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Bild, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Sofort"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Erkläre in ein paar Worten, worum es auf der Website geht. "; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inaktiv"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Falsche Benutzername oder Passwort. Bitte gib deine Zugangsdaten erneut ein."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infizierte Core-Datei"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Medien einfügen"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Medien einfügen"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Ausgewähltes einfügen"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Die Installation des ersten Plugins auf deiner Website kann bis zu einer Minute dauern. Während dieser Zeit kannst du keine Änderungen an deiner Website vornehmen."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Neu: Story-Beiträge"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursiv"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Bleib auf dem Laufenden über die Leistung deiner Website."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Bekannte Benutzer"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Beschriftung"; -/* No comment provided by engineer. */ -"Landscape" = "Querformat"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Sprache"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Groß"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Zusammenfassung der neuesten Beiträge"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Mehr erfahren"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Weitere Informationen über die Formatierung von Datum und Zeit."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Mehr über Rollen erfahren"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Veraltete Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Wir helfen dir"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Lass mich wissen, wenn du fertig bist!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Ebene %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Ebene %s. Leer."; - /* Title for the app appearance setting for light mode */ "Light" = "Hell"; @@ -4202,19 +3489,7 @@ "Link To" = "Link auf"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "Link zu"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Mit bestehendem Inhalt verlinken"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in Kommentaren"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Listen-Stil"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Laden"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Wird geladen..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Melde dich mit deinem WordPress.com-Benutzernamen und -Passwort an."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Von WordPress abmelden?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Anmeldungsanforderung abgelaufen"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Es sieht so aus, als wäre Jetpack auf deiner Website aktiviert. Glückwunsch!\nBitte melde dich mit deinen WordPress.com-Anmeldedaten an, um Website-Statistiken und Benachrichtigungen zu aktivieren."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "Schleife"; /* Title of a button. */ "Lost your password?" = "Passwort vergessen?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hauptnavigation"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Konten per E-Mail abgleichen"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max. Bildgröße für Upload"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max. Videogröße für Upload"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "Medien-Uploads"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "Medienbereich"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Mit den Medien ist keine Datei zum Hochladen verknüpft."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "Mediendatei"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Mediendateigröße (%1$@) ist zu groß zum Hochladen. Maximal zulässig sind %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Bei der Medienvorschau ist ein Fehler aufgetreten."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Hochgeladene Medien (%ld Dateien)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Überwache die Laufzeit deiner Website"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Monate"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Mehr auf WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Beliebteste Zeit"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Nach unten verschieben"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Menüeintrag verschieben"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "Verschiebt den Kommentar in den Papierkorb."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "Museen in London"; /* An example tag used in the login prologue screens. */ "Music" = "Musik"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Mein Profil"; @@ -4725,10 +3934,7 @@ "My Tickets" = "Meine Tickets"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "Meine Top 10 Cafés"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigiert zum Anpassen des Verlaufs"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Brauchst du Hilfe?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Neue benutzerdefinierte App-Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Neue Beiträge"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Neueste"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Weiter"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Nächste Schritte"; /* Accessibility label for the next notification button */ "Next notification" = "Nächste Benachrichtigung"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Nächste Periode"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Nein"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Keine Verbindung"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Keine Elemente"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Keine Kommentare bisher"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Keine Beiträge."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Keine aktuellen Beiträge"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Du siehst die E-Mail nicht? Überprüfe deinen Spam- oder Junk-E-Mail-Ordner."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Hinweis: Das Spaltenlayout kann je nach Theme und Bildschirmgröße variieren"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nichts gefunden."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Anzahl"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Nummerierte Liste"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "1Password-Button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Zeige nur die relevantesten Statistiken an. Einsichten hinzufügen, die deinem Bedarf entsprechen."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hoppala!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Öffne das Menü mit den Blockaktionen"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Geräte-Einstellungen öffnen"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "WordPress starten"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Vollständige Medienauswahl öffnen"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Oder melde dich an, indem du _deine Website-Adresse eingibst_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Geordnete Liste"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andere Websites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Überschrieben"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Seite"; -/* No comment provided by engineer. */ -"Page Link" = "Seitenlink"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Seite unter „Entwürfe“ wiederhergestellt"; @@ -5363,7 +4494,7 @@ "Page Settings" = "Seiten-Einstellungen"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "Seitenumbruch"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Seitenumbruch-Block. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Seitennummerierung"; -/* No comment provided by engineer. */ -"Paragraph" = "Absatz"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Übergeordnete Kategorie"; @@ -5442,7 +4567,7 @@ "Paste URL" = "URL einfügen"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Einfügen von Block nach"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Ohne Formatierung einfügen"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Wähle ein Layout für deine Startseite aus, das dir gefällt. Du kannst es später bearbeiten und anpassen."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Planung"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Tarife"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Video abspielen"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Bitte füge vor der Veröffentlichung beliebige Inhalte hinzu."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Beliebte Sprachen"; -/* No comment provided by engineer. */ -"Portrait" = "Hochformat"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Veröffentlichen"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Beitragskategorien"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Artikel-Formatvorlage"; -/* No comment provided by engineer. */ -"Post Link" = "Beitragslink"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Beitrag als Entwurf wiederhergestellt"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "Veröffentlicht durch %1$@, von %2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "Einstellungen für Beitragsinhalte"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Beitrag erstellt am %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "Beitrag konnte nicht hochgeladen werden"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "Einstellungen für Beitragsmetadaten"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Beitrag in den Papierkorb verschoben."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Veröffentlicht in %1$@, um %2$@, von %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Beitragsaktivität"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Artikel"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Beitragsseite"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "Bereitgestellt von Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "Vorladen"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Zeige eine Vorschau deiner neuen Website an, um zu sehen, wie sie deinen Besuchern angezeigt wird."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Vorherige Benachrichtigung"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Vorherige Periode"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Haupt-Website"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekte"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Öffentlich"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Veröffentliche ..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Käufe"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-Benachrichtigungen wurden in den iOS-Einstellungen deaktiviert. Aktiviere \"Benachrichtigungen erlauben\", um sie wieder zu aktivieren."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Schnellstart"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Bewerte uns im App-Store"; /* No comment provided by engineer. */ "Read more" = "Weiterlesen"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Weiterlesen"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Erneut verbunden"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Als „Ähnliche Beiträge“ werden relevante Inhalte von deiner Website unter deinen Beiträgen angezeigt."; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Diesen Beitrag aus meinen gespeicherten Beiträgen entfernen."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Video entfernen"; @@ -6226,7 +5249,7 @@ "Replace file" = "Datei ersetzen"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "Bild ersetzen"; /* No comment provided by engineer. */ "Replace image or video" = "Bild oder Video ersetzen"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Größe ändern & Zuschneiden"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Auflösung"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Website wiederherstellen"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Zu diesem Punkt wiederherstellen"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Wiederverwendbare Blöcke sind auf WordPress für iOS nicht bearbeitbar"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Ausstehende Änderung rückgängig machen"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rolle"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS gesendet"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Absatz-Stil auswählen"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Wähle %@ aus, um deine Social-Media-Konten hinzuzufügen"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Push-Benachrichtigungen senden"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Stelle Bilder über unsere Server bereit"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Als Beitragsseite festlegen"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Einrichtung"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Header anzeigen"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "Ähnliche Beiträge anzeigen"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "Download-Button anzeigen"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Beitragsinhalt anzeigen"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Abschnitt anzeigen"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Zeigt nur meine Beiträge an"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Statistiken anzeigen für:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Die Beiträge der Website anzeigen."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Registrieren"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Website-Sprache"; -/* No comment provided by engineer. */ -"Site Logo" = "Website-Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "Website-Sicherheit und Performance\nimmer dabei"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Zeitzone der Website (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Website-Titel erfolgreich geändert"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Websites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Websites, denen du folgen möchtest"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Größe"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social Media"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Einige Medien-Uploads sind fehlgeschlagen. Durch diese Aktion werden alle Medien, für die das Hochladen fehlgeschlagen ist, aus dem Beitrag entfernt.\nTrotzdem speichern?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Bedaure, dieser Benutzername ist nicht verfügbar."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Benutzernamen können leider nur Kleinbuchstaben (a-z) und Zahlen enthalten."; @@ -7152,23 +6112,17 @@ "Sort By" = "Sortieren nach"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "Sortierung und Filter"; /* Opens the Github Repository Web */ "Source Code" = "Quelltext"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Süd"; /* Label for showing the available disk space quota available for media */ "Space used" = "Belegter Speicherplatz"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Verkürze die Ladezeit deiner Website"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Neu beginnen"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Fang an zu schreiben..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Durchstreichen"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Zur Überprüfung vorlegen ..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Spotlight-Index erfolgreich gelöscht"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Website wechseln"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systemstandard"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Inhaltsverzeichnis"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabelle zeigt %@ an"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Schlagwort"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Schlagwort-Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Das Schlagwort existiert bereits"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Teile uns mit, welche Art von Website du erstellen möchtest"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Allgemeine Geschäftsbedingungen"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Nur-Text"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Code per SMS senden"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Danke, dass du dich für %1$@ von %2$@ entschieden hast."; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "Die WordPress-App für Android wird rundum verschönert"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "Die weltbesten Fans"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Die App konnte die Rückmeldung vom Server nicht verarbeiten. Bitte überprüfe die Konfiguration deiner Website."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Das Zertifikat für diesen Server ist ungültig. Du könntest zu einem Server verbinden, der nur vorgibt \"%@\" zu sein, was ein Sicherheitsrisiko darstellt.\n\nMöchtest Du dem Zertifikat trotzdem vertrauen?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Die Datei %1$@ enthält ein bösartiges Codemuster"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Das Video konnte nicht zur Mediathek hinzugefügt werden."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme aktiviert"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Problem beim Herstellen einer Verbindung mit %@. Stelle die Verbindung erneut her, um mit dem Veröffentlichen fortzufahren."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Diese App benötigt das Recht, auf die Mediathek deines Geräts zuzugreifen, um deinen Beiträgen Fotos und\/oder Videos hinzuzufügen. Wenn du dies zulassen möchtest, ändere bitte die Datenschutzeinstellungen."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Diese Domain ist nicht verfügbar"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Bedrohung ignoriert."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Vorschaubild"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Titel"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titel für eine Kategorie ist erforderlich."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Um deinen Beiträgen Fotos oder Videos hinzuzufügen."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Um mit diesem Google-Konto fortzufahren, melde dich bitte zuerst mit deinem WordPress.com-Passwort an. Dies wird nur einmal nachgefragt."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Um Fotos oder Videos für deine Beiträge aufzunehmen."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Zum HTML-Quellcode wechseln"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Schaltet den Stil der geordneten Liste um"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Wörter insgesamt"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "%s umwandeln in "; + +/* No comment provided by engineer. */ +"Transform block…" = "Block umwandeln …"; + /* No comment provided by engineer. */ "Translate" = "Übersetzen"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-Benutzername"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Gib ein Stichwort ein, um weitere Ideen zu erhalten"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unbenannte Website"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Ungeordnete Liste"; @@ -8382,7 +7213,7 @@ "Unread" = "Ungelesen"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "Unbeantwortet"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Ungesicherte Änderungen"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Ohne Titel"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Es werden Protokolle von bis zu sieben Tagen gespeichert."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Medieninhalt hochladen"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Eine Website-Icon hochladen"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Lade für dein Website-Logo ein Bild hoch oder wähle eins aus deiner Mediathek aus"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Hochladen fehlgeschlagen"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Nutze aktuellen Standort"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Block-Editor benutzen"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Verwende diesen Link, um deine Teammitglieder einzuladen. Jeder, der diese URL besucht, kann sich bei deiner Organisation registrieren, auch wenn er oder sie den Link von jemand anderem erhalten hat. Teile ihn also nur mit vertrauenswürdigen Personen."; /* No comment provided by engineer. */ "Use this site" = "Diese Website verwenden"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Überprüfe deinen Posteingang – eine Anleitung wurde an %@ gesendet"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ ist verfügbar"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video-Vorschau nicht verfügbar."; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Videountertitel. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "Video-Export abgebrochen"; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "Videoeinstellungen"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Besucher"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Gefährdetes Theme %1$@ (Version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Willkommen zum Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Willkommen beim beliebtesten Website-Baukasten der Welt."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ups, das ist kein gültiger zweistufiger Verifizierungscode. Überprüfe deinen Code und versuche es noch einmal!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Wird nicht öffentlich angezeigt."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Mit diesem leistungsstarken Editor kannst du auch von unterwegs aus Beiträge veröffentlichen."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress-App-Einstellungen"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "Schreib eine Antwort …"; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "Schreibe deinen Code …"; /* Title for the writing section in site settings screen */ "Writing" = "Schreiben"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Wenn du deine Website im Safari aufrufst, wird die Adresse deiner Website oben in der Leiste angezeigt."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Deine Website wurde erstellt."; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Großartig! Du nutzt jetzt den Block-Editor für neue Beiträge! Wenn du zum klassischen Editor wechseln möchtest, gehe zu „Meine Website“ > „Website-Einstellungen“."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[KOMMENTAR]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "eine Stunde"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "Audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "von %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "Verbindungen"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "Gliederung des Dokuments"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "Zum Wechseln der Einheit zweimal tippen"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "z. B. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "z. B. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "Follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/meine-website-adresse (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "Bild"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "Bild %1$d von %2$d in der Galerie"; /* Text for related post cell preview */ "in \"Apps\"" = "unter „Apps“"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "später heute"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "von"; -/* No comment provided by engineer. */ -"ordered list" = "nummerierte Liste"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "andere"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "Passwort"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "Telefonnummer"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "Beitrag"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "Zusammenfassung"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Diese Auswahl wird gelöscht:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "heute"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, websites, website, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Deine neue Domain „%@“ wird eingerichtet. Wir hoffen, du nutzt alle tollen neuen Möglichkeiten deiner Website!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/en-AU.lproj/Localizable.strings b/WordPress/Resources/en-AU.lproj/Localizable.strings index fa1d12ad5712..280587752273 100644 --- a/WordPress/Resources/en-AU.lproj/Localizable.strings +++ b/WordPress/Resources/en-AU.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li words, %2$li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Address"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "About"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customise your site settings for Likes, Comments, Follows, and more."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Description"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Display Name"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "East"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edit Post"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Empty URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "First Name"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Forward"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Free"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Give Up"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Help"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %1$@, that user will no longer be able to access this site, but any content that was created by %2$@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Immediately"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Landscape"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link To"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Loading..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Months"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Need Help?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "No"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No recent posts"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "Phone"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Parent Category"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %1$@, from %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %1$@, at %2$@, by %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Size"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Sorry, that username is unavailable."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Source Code"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "South"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Text Only"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %1$@ by %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicising."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Title"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Title for a category is mandatory."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "image"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "later today"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "today"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/en-CA.lproj/Localizable.strings b/WordPress/Resources/en-CA.lproj/Localizable.strings index 23b96c2ce40b..633f1e9f6db0 100644 --- a/WordPress/Resources/en-CA.lproj/Localizable.strings +++ b/WordPress/Resources/en-CA.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-03-28 12:26:04+0000 */ +/* Translation-Revision-Date: 2021-05-09 15:18:22+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: en_CA */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li words, %2$li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "About"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating…"; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1580,22 +1389,7 @@ "Collect information" = "Collect information"; /* Title displayed for selection of custom app icons that have colorful backgrounds. */ -"Colorful backgrounds" = "Colorful backgrounds"; - -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; +"Colorful backgrounds" = "Colourful backgrounds"; /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %1$li, Words: %2$li, Characters: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Description"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Display Name"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "East"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edit Post"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Empty URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes…"; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "First Name"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Forward"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Free"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Give Up"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Help"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %1$@, that user will no longer be able to access this site, but any content that was created by %2$@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Immediately"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Landscape"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link To"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Loading…"; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Months"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customise the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Need Help?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "No"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No recent posts"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Parent Category"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %1$@, from %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %1$@, at %2$@, by %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing…"; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6402,19 +5416,13 @@ "Right" = "Right"; /* Example Reader feed title */ -"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; +"Rock 'n Roll Weekly" = "Rock ‘n’ Roll Weekly"; /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site time zone (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Size"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Sorry, that username is unavailable."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Source Code"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "South"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review…"; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Text Only"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %1$@ by %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Title"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Title for a category is mandatory."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted people."; /* No comment provided by engineer. */ "Use this site" = "Use this site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9026,7 +7821,7 @@ "We’ve made some changes to your checklist" = "We’ve made some changes to your checklist"; /* Body text of alert informing users about the Reader Save for Later feature. */ -"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are ten new styles to choose from, or you can simply keep your existing icon if you prefer."; /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "What do you think about WordPress?"; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9551,13 +8271,7 @@ "doesn’t it feel good to cross things off a list?" = "doesn’t it feel good to cross things off a list?"; /* No comment provided by engineer. */ -"double-tap to change unit" = "double-tap to change unit"; - -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; +"double-tap to change unit" = "double tap to change unit"; /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; @@ -9565,44 +8279,23 @@ /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "image"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "later today"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "today"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/en-GB.lproj/Localizable.strings b/WordPress/Resources/en-GB.lproj/Localizable.strings index 4e19c43bf203..d65f54414ad7 100644 --- a/WordPress/Resources/en-GB.lproj/Localizable.strings +++ b/WordPress/Resources/en-GB.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li words, %2$li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "– Select –"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "One potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25\/50\/25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30\/70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33\/33\/33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50\/50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70\/30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Address"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "About"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram, or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally, this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay – great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add Paragraph Block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customise its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Align column centre"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Category title missing."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customisations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colourful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %1$li, Words: %2$li, Characters: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customise your site settings for Likes, Comments, Follows, and more."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = " 6 December 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Description"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Display Name"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags, and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms appear;"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "East"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edit Post"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Empty URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; -/* No comment provided by engineer. */ -"February 21, 2019" = "21 February 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "First Name"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Forward"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Free"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Give Up"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves”. – Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Help"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %1$@, that user will no longer be able to access this site, but any content that was created by %2$@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, and Title"; - /* Undated post time label */ "Immediately" = "Immediately"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table – perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organise content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Landscape"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when you are finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link To"; -/* No comment provided by engineer. */ -"Link color" = "Link colour"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Loading..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; -/* No comment provided by engineer. */ -"Main color" = "Main colour"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Maximum number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "7 May 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears – still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Months"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools and options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backwards"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forwards"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafés"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customise the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Need Help?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "No"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No recent posts"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "Phone"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Parent Category"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favourite homepage layout. You can edit and customise it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %1$@, from %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %1$@, at %2$@, by %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login and logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site time zone (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Size"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid colour"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Sorry, that username is unavailable."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Source Code"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "South"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Text Only"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %1$@ by %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image URL is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicising."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide centre column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Title"; -/* No comment provided by engineer. */ -"Title & Date" = "Title and Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title and Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Title for a category is mandatory."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, and Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organisation, even if they received the link from somebody else, so make sure that you share it with trusted people."; /* No comment provided by engineer. */ "Use this site" = "Use this site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, browser tabs, public search results, etc, to help recognise a site."; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your e-mail address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor, you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts - great! If you’d like to change to the classic editor, go to ‘My site’ > ‘Site settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "Atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "eBook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "image"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "later today"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "today"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "– Kobayashi Issa (– 茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/es.lproj/Localizable.strings b/WordPress/Resources/es.lproj/Localizable.strings index 4d0c17236c28..ab13f89513eb 100644 --- a/WordPress/Resources/es.lproj/Localizable.strings +++ b/WordPress/Resources/es.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-05 18:18:02+0000 */ +/* Translation-Revision-Date: 2021-05-11 09:54:07+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: es */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d entradas no vistas"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformado a %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li palabras, %2$li caracteres"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "Opciones del bloque %s"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloque %s. Vacío"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloque %s. Este bloque tiene contenido no válido"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "«%s» no es totalmente compatible"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Línea de dirección %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Subida 1 entrada en borrador"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Encontrada 1 amenza potencial"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hora"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "El botón «Más» contiene un desplegable que muestra los botones para compartir."; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Está establecida una imagen destacada. Toca para cambiarla."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un archivo contiene un patrón de código malicioso"; -/* No comment provided by engineer. */ -"A link to a category." = "Un enlace a una categoría."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Un enlace a una página."; - -/* No comment provided by engineer. */ -"A link to a post." = "Un enlace a una entrada."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Un enlace a una etiqueta."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Una lista de sitios en esta cuenta."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Una serie de pasos para ayudarte a hacer crecer la audiencia de tu sitio."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Ya existe una etiqueta con el nombre '%@'"; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "DIRECCIÓN"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Acerca de"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Añadir una nueva tarjeta de estadísticas"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Añadir al principio"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Añadir un debate"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Añade aquí una URL del CSS personalizado para que se cargue en el lector. Si estás ejecutando Calypso localmente, esto puede ser algo como: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Añadir un sitio autoalojado"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Añade texto alt"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Añadir cualquier debate"; /* No comment provided by engineer. */ "Add caption" = "Añadir leyenda"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Añade una imagen o avatar para representar a esta nueva cuenta."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Añadir un bloque de párrafo"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Añadir sitio autoalojado"; @@ -603,16 +493,7 @@ "Add tags" = "Añadir etiquetas"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "Añadir texto…"; /* No comment provided by engineer. */ "Add this email link" = "Añadir este enlace de correo electrónico"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Añadir este enlace de teléfono"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Añadiendo las características del sitio"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Álbumes"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alineación"; @@ -716,7 +582,7 @@ "Allow this connection to be used by all admins and users of your site." = "Permite que todos los administradores y usuarios de tu sitio utilicen esta conexión."; /* Allowlisted IP Addresses Title */ -"Allowlisted IP Addresses" = "Allowlisted IP Addresses"; +"Allowlisted IP Addresses" = "Direcciones IP en lista blanca"; /* Jetpack Settings: Allowlisted IP addresses */ "Allowlisted IP addresses" = "Lista de direcciones IP permitidas"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ha ocurrido un error."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ha ocurrido un error desconocido. Por favor inténtalo de nuevo."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprueba el comentario."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "¿Estás seguro de que quieres cancelar y descartar los cambios?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "¿Estás seguro de que quieres actualizar?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Arte"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Desde el 1 de agosto de 2018 Facebook ya no permite compartir directamente entradas a perfiles de Facebook. Las conexiones con páginas de Facebook siguen sin cambios."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Adjuntar archivo como enlace"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "Página de adjuntos"; /* No comment provided by engineer. */ "Audio Player" = "Reproductor de audio"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Leyenda del audio. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "Leyenda del audio. Vacía"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "Ajustes de audio"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -967,7 +812,7 @@ "Authors" = "Autores"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "Automático"; /* Describes a status of a plugin */ "Auto-managed" = "Gestión automática"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "Comparte automáticamente las nuevas entradas en tus cuentas de medios sociales."; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "Reproducción automática"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Actualizaciones automáticas"; @@ -1078,17 +923,35 @@ "Block Quote" = "Bloquear cita"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "El bloque no puede renderizar en sí mismo."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "Bloque copiado"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Bloque cortado"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Bloque duplicado"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor de bloques activado"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "El bloque se ha borrado o no está disponible."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquear intentos de acceso malintencionados"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Bloque pegado"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Bloque eliminado"; + +/* No comment provided by engineer. */ +"Block settings" = "Ajustes del bloque"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Bloquear este sitio"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Lector del blog"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Negrita"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Separar los hilos de comentarios en diversas páginas."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Navega por todos nuestros temas para encontrar el que se adapte a ti. "; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "Valor por defecto del navegador"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Protección frente a ataques de fuerza bruta"; @@ -1159,10 +1007,7 @@ "Button Style" = "Estilo del botón"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "Grupo de botones"; /* Label for the post author in the post detail. */ "By " = "Por "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculando…"; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Cámara"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Pie de ilustración"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "¡Cuidado!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoría"; -/* No comment provided by engineer. */ -"Category Link" = "Enlace de la categoría"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta el título de la categoría"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Error del certificado"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Cambiar contraseña"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "Cambiar la posición del bloque"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Se ha producido un error al realizar el cambio"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "Cambiar nivel de encabezado"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Cambia el tipo de dispositivo usado para la vista previa"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Cambiando el nombre de usuario"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Error al comprobar las compras"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Elegir dominio"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Elegir el archivo"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "¿Vaciar todos los registros de actividad antiguos?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Vaciar la búsqueda"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Cerrar los comentarios"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Cerrar la pantalla «Yo»"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Código"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Contraída, %i tareas completadas, al cambiar se expande la lista de estas tareas"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Fondos coloridos"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Ajustes de columna"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combina fotos, vídeos y texto para crear entradas de historias atractivas y accesibles que les encantarán a tus visitantes."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Conexiones"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contacto"; - /* Support email label. */ "Contact Email" = "Correo electrónico de contacto"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contacta con soporte"; -/* No comment provided by engineer. */ -"Contact us" = "Contáctanos"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contacta con nosotros a través de %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Estructura del contenido\nBloques: %1$li, Palabras: %2$li, Caracteres: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuando con Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convertir a bloques"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cocina"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Bloque copiado"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copiar enlace al comentario"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copiar bloque"; /* No comment provided by engineer. */ "Copy file URL" = "Copiar la URL del archivo"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "No se han podido comprobar las compras del sitio."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "No se pudo seguir el sitio"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Crear una entrada de historia"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Crear sitio en WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Crea una etiqueta"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Crear un nuevo sitio"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Crear un nuevo sitio de negocios, revista o blog personal; o conecta con una instalación existente de WordPress."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Crear una entrada o página"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Crear una entrada, página o historia"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Crear una copia de seguridad descargable"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Estamos restaurando: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Mensaje personalizado…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personaliza los ajustes de tu sitio para los «me gusta», comentarios, seguimientos y más."; +/* No comment provided by engineer. */ +"Cut block" = "Cortar bloque"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Oscuro"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 de diciembre de 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Por defecto"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL por defecto"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Opciones predeterminadas para entradas nuevas"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Se ha producido un error al eliminar el sitio"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Borrar menú"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Borrar esta etiqueta"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Descripción"; -/* No comment provided by engineer. */ -"Descriptions" = "Descripciones"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Diseño"; /* Title for the desktop web preview */ "Desktop" = "Escritorio"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalles"; @@ -2355,94 +2089,7 @@ "Display Name" = "Nombre público"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "Mostrar fecha de la entrada"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Muestra aquí todas las estadísticas de tu sitio. Configúralo en la aplicación WordPress en las estadísticas de tu sitio."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Muestra aquí las estadísticas de tu sitio para al día de hoy. Configúralo en la aplicación WordPress en las estadísticas de tu sitio."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Documento: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "No te preocupes"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Haz un toque doble y manténlo para mover este elemento del menú arriba o abajo"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Toque doble para abrir la hoja de acción para editar, reemplazar o vaciar la imagen"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Toca dos veces para abrir la hoja de acción con las opciones disponibles"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Toque doble para abrir la hoja del fondo para editar, reemplazar o vaciar la imagen"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Toca dos veces para abrir la hoja inferior con las opciones disponibles"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Toca dos veces para rehacer el último cambio"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Descargar copia de seguridad"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Descargar archivo"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Descargas"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Borradores"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicar"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicar bloque"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Este"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Editar el bloque %@ "; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Editar palabra de la lista negra"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editar entrada"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Editar el archivo"; /* No comment provided by engineer. */ "Edit focal point" = "Editar el punto focal"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Editar imagen"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editar botones para compartir"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Editar la entrada primero"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Editar usando el editor web"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "¡Correo electrónico enviado!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vacío"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vacía"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Activar"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Fecha de finalización"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Entrar en pantalla completa"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "Introduce la URL a incrustar aquí…"; /* Enter a custom value */ "Enter a custom value" = "Introduce un valor personalizado"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Introduce una contraseña para proteger esta entrada"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Introduce arriba distintas palabras y buscaremos una dirección que coincida."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Introduce las credenciales de tu servidor para activar las restauraciones con un clic de las copias de seguridad."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Introduce las credenciales de tu servidor para corregir la amenaza."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Introduce las credenciales de tu servidor para corregir amenazas."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error al actualizar los ajustes de acelerar tu sitio"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Evento"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explorar planes"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportar el contenido"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "No se pudo cargar la imagen destacada"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Obteniendo temas..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo de archivo"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Rellenar con el gestor de contraseñas"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Nombre"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Corregir todo"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Corregida"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Corrigiendo amenazas"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fútbol"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Para tu comodidad, hemos rellenado previamente tu información de contacto de WordPress.com. Por favor, revísala para asegurarte de que es la información correcta que deseas utilizar para este dominio."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Adelante"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Gratuito"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Leyenda de la galería. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "Pon tu sitio en marcha"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "Inspírate"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Recuperando la información de la cuenta"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Renunciar"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dale a tu sitio un nombre que refleje su personalidad y temática. ¡Las primeras impresiones cuentan!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Contenido HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Encabezado 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Encabezado 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "Encabezado %d"; /* H1 Aztec Style */ "Heading 1" = "Cabecera 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Cabecera 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Ayuda"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Icono de ayuda"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Así es como ha funcionado la entrada hasta ahora."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Esconder teclado"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Conservar para moderación"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "¡Hurra!\nCasi está hecho"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "¿Cómo lo solucionó Jetpack?"; @@ -3709,7 +3080,7 @@ "I Like It" = "Me gusta"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "El trabajo de Cameron Karsten me sirve de inspiración. Probaré estas técnicas en mi siguiente trabajo"; /* Title of a button style */ "Icon & Text" = "Icono y texto"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Si continúas con Apple o Google y aún no tienes una cuenta de WordPress.com, crearás una cuenta y aceptas nuestros _términos del servicio_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Si eliminas a %1$@, ese usuario ya no podrá acceder a este sitio, aunque todo el contenido que haya creado %2$@ permanecerá en el sitio."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Tamaño de imagen"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Leyenda de la imagen. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "Ajustes de imagen"; /* Hint for image title on image settings. */ -"Image title" = "Título de la imagen"; - -/* No comment provided by engineer. */ -"Image width" = "Ancho de la imagen"; +"Image title" = "Título de la imagen"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagen: %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Inmediatamente"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "En pocas palabras, explica de qué trata este sitio."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactivo"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "El nombre de usuario o la contraseña son incorrectos. Introduce de nuevo tus datos de acceso."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Archivo principal infectado"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insertar elemento multimedia"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insertar un archivo multimedia"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insertar lo seleccionado"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalar el primer plugin en tu sitio puede llevarte como mucho 1 minuto. Durante este tiempo no podrás hacer cambios en tu sitio."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Presentando las entradas de historias"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Cursiva"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mantente al día sobre el rendimiento de tu sitio."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Usuarios conocidos"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etiqueta"; -/* No comment provided by engineer. */ -"Landscape" = "Horizontal"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Idioma"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Resumen de las últimas entradas"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Leer más"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Aprende más sobre el formato de fecha y hora."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Saber más sobre los perfiles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Iconos heredados"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Deja que te ayudemos"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "¡Avísame cuando haya terminado!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Nivel %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Nivel %s. Vacío."; - /* Title for the app appearance setting for light mode */ "Light" = "Claro"; @@ -4202,19 +3489,7 @@ "Link To" = "Enlace a"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "Enlazado a"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Enlaza a contenido existente"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Enlaces en los comentarios"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Estilo de lista"; -/* No comment provided by engineer. */ -"List text" = "Texto de la lista"; - /* Title of the screen that load selected the revisions. */ "Load" = "Cargar"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Cargando..."; -/* No comment provided by engineer. */ -"Loading…" = "Cargando..."; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Accede con tu nombre de usuario y contraseña de WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "¿Salir de WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "La petición de acceso ha expirado"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Registros"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Parece que tienes Jetpack instalado. ¡Enhorabuena! Accede con tus credenciales de WordPress.com para activar las estadísticas y los avisos."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "Bucle"; /* Title of a button. */ "Lost your password?" = "¿Has perdido tu contraseña?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navegación principal"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Comprobar cuentas usando el correo electrónico"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Tamaño máximo para la carga de imágenes"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Tamaño máximo de subida de vídeo"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "Subidas de medios"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "Área de medios"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Los medios no están asociados a un archivo a subir."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "Archivo multimedia"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "El tamaño del medio (%1$@) es demasiado grande para subirlo. El máximo permitido es de %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Fallo en la vista previa del medio."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Medios subidos (%ld archivos)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Vigila el tiempo de actividad de tu sitio"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Meses"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Más en WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Lo más popular"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Mover hacia abajo"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Mover elemento del menú"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "Traslada el comentario a la papelera."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "Museos que ver en Londres"; /* An example tag used in the login prologue screens. */ "Music" = "Música"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Mi perfil"; @@ -4725,10 +3934,7 @@ "My Tickets" = "Mis tickets"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "Mis diez mejores cafés"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navega para personalizar el degradado"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "¿Necesitas ayuda?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nueva palabra en la lista negra"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nuevos iconos personalizados de la aplicación"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Entradas nuevas"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "El más nuevo"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Siguiente"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Siguientes pasos"; /* Accessibility label for the next notification button */ "Next notification" = "Siguiente notificación"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Periodo siguiente"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "No"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Sin conexión"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Sin elementos"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No hay comentarios"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No hay entradas."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No hay entradas recientes"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "¿No ves el correo electrónico? Comprueba tu carpeta de spam o correo no deseado."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Nota: el diseño de la columna puede variar entre temas y tamaños de pantalla"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "No se ha encontrado nada."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Número"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerada"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Botón de One Password"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Ver solo las estadísticas más relevantes. Añade las perspectivas que encajan con tus necesidades."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "¡Vaya!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Abrir el menú de acciones de bloques"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Abrir ajustes del dispositivo"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Abrir WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Abrir selector completo de multimedia"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "O accede _introduciendo la dirección de tu sitio_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Lista ordenada"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organización"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Otros sitios"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Anulado"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELÉFONO"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; -/* No comment provided by engineer. */ -"Page Link" = "Enlace a la página"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Se ha restaurado la página en Borradores"; @@ -5363,7 +4494,7 @@ "Page Settings" = "Ajustes de la página"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "Salto de página"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Bloque de salto de página. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paginación"; -/* No comment provided by engineer. */ -"Paragraph" = "Párrafo"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoría superior"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Pegar URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Pegar el bloque después"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Pegar sin formato"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Elige tu diseño favorito para la página de inicio. Puedes editarlo y personalizarlo más tarde."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Planes"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Reproduce vídeo"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Por favor, añade algo de contenido antes de tratar de publicar."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Idiomas populares"; -/* No comment provided by engineer. */ -"Portrait" = "Vertical"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publicar"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorías de entrada"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato de entrada"; -/* No comment provided by engineer. */ -"Post Link" = "Enlace a la entrada"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Se ha restaurado la entrada a borradores"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "Entrada de %1$@, desde %2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "Ajustes de contenido de la entrada"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Entrada creada el %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "Entrada que falló al subirse"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "Ajustes meta de la entrada"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Se ha enviado la entrada a la papelera."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicado en %1$@, en %2$@, por %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Actividad de publicación"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Entradas"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Página de entradas"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "Funciona con Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "Precarga"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Previsualiza tu nuevo sitio para ver lo que verán tus visitantes."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Notificación anterior"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Periodo anterior"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sitio principal"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Proyectos"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Pública"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publicando..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Compras"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Los avisos instantáneos se han desactivado en los ajustes de iOS. Cambia «Permitir avisos» para volver a activarlos."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Inicio rápido"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Puntúanos en la App Store"; /* No comment provided by engineer. */ "Read more" = "Leer más"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Leer en"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Conectado de nuevo"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referencia"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Las entradas relacionadas muestran contenido relacionado de tu sitio bajo tus entradas"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Borra esta entrada de mis entradas guardadas."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Eliminar vídeo"; @@ -6226,7 +5249,7 @@ "Replace file" = "Reemplazar archivo"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "Reemplazar imagen"; /* No comment provided by engineer. */ "Replace image or video" = "Reemplazar la imagen o vídeo"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Cambiar tamaño y recortar"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolución"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restaurar sitio"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restaurar hasta este punto"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Los bloques reutilizables no se pueden editar en WordPress para iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Deshacer el cambio pendiente"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Perfil"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "Se ha enviado un SMS"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Elegir el estilo del párrafo"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Selecciona el %@ para añadir tus cuentas de redes sociales"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Enviar Notificaciones"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Sirve imágenes desde nuestros servidores"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Configurar como página de entradas"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Configuración"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Mostrar cabecera"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "Mostrar entradas relacionadas"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "Mostrar botón de descarga"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Muestra el contenido de la entrada"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Mostrar la sección"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Mostrando solo mis entradas"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Mostrando estadísticas para:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Muestra las entradas del sitio."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Registrarse"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Idioma del sitio"; -/* No comment provided by engineer. */ -"Site Logo" = "Logotipo del sitio"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "Rendimiento y seguridad del sitio\nde tu bolsillo"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Zona horaria del sitio (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Título del sitio cambiado correctamente"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sitios"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sitios a seguir"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Tamaño"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Error al cargar algunos elementos multimedia. Esta acción eliminará todos los elementos multimedia con errores de la entrada.\n¿Quieres guardar de todos modos?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Lo sentimos, este nombre de usuario no está disponible"; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "El nombre de usuario sólo puede contenter letras minúsculas (a-z) y números."; @@ -7152,23 +6112,17 @@ "Sort By" = "Ordenar por"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "Orden y filtros"; /* Opens the Github Repository Web */ "Source Code" = "Código fuente"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sur"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espacio utilizado"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Acelera tu sitio"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Estándar"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Empezar de nuevo"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Empieza a escribir…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Tachado"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Esbozo"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Enviando para revisión..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Índice de spotlight vaciado con éxito"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Soporte"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Cambiar de sitio"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Valores por defecto del sistema"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Tabla de contenidos"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabla mostrando %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiqueta"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Enlace de la etiqueta"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "La etiqueta ya existe"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Cuéntanos qué clase de sitio te gustaría hacer"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Términos y condiciones"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Solo texto"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Envía un código por mensaje de texto"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Gracias por elegir %1$@ de %2$@"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "La aplicación para Android ha recibido una importante actualización"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "Los mejores fanáticos del mundo"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "La aplicación no reconoce la respuesta del servidor. Comprueba la configuración de tu sitio."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "El certificado para este servidor no es válido. Puede que estés conectando con un servidor que aparenta ser «%@», lo que podría poner en peligro tu información confidencial.\n\n¿Deseas confiar en el certificado de todos modos?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "El archivo %1$@ contiene un patrón de código malicioso"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "No se pudo añadir el vídeo a la biblioteca de medios."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema activado"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Existe un problema de conexión con %@. Conéctate de nuevo para continuar difundiendo."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Esta aplicación necesita permiso para acceder a la biblioteca multimedia del dispositivo con el fin de añadir fotos y vídeos en tus entradas. Cambia la configuración de privacidad si deseas permitir esta acción."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Este dominio no está disponible"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Amenaza ignorada."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Título"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Es necesario el título de la categoría."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Para añadir fotos o vídeos en tus entradas."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Para seguir con esta cuenta de Google, por favor, primero accede con tu contraseña de WordPress.com. Esto solo se te pedirá una vez."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Para hacer las fotos o vídeos que deseas usar en tus entradas."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Cambia a Código HTML"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Cambia al estilo de lista ordenada"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total de palabras"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfico"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformar %s a"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformar bloque…"; + /* No comment provided by engineer. */ "Translate" = "Traducir"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nombre de usuario de Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Teclea una palabra clave para más ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sitio sin nombre"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Lista desordenada"; @@ -8382,7 +7213,7 @@ "Unread" = "Sin leer"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "Sin respuesta"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Cambios no guardados"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Sin título"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Se guardan logs de hasta 6 días de antigüedad."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Subir archivos multimedia"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Sube un icono para el sitio"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Sube una imagen o selecciona una desde tu biblioteca de medios para que sea el logotipo de tu sitio."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Carga fallida"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Usar ubicación actual"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Usar el editor de bloques"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Usa este enlace para incorporar a los miembros de tu equipo sin tener que invitarlos uno por uno. Cualquiera que visite esta URL podrá registrarse en tu organización, incluso si ha recibido el enlace de alguien, así que, asegúrate de que lo compartes con personas de confianza."; /* No comment provided by engineer. */ "Use this site" = "Usar este sitio"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifica tu dirección de correo electrónico - las instrucciones se enviaron a %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versión"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "La versión %@ está disponible"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Vista previa de vídeo no disponible"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Leyenda del vídeo. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "Exportación de vídeo cancelada."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "Ajustes de vídeo"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Vídeo, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Lectores"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema vulnerable: %1$@ (versión %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Bienvenido al lector"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Bienvenido al maquetador web más popular del mundo."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Vaya, eso no es un código de verificación en dos pasos. ¡Vuelve a comprobar tu código e inténtalo de nuevo!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "No se mostrará públicamente"; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Con el potente editor puedes publicar sobre la marcha."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Ajustes de la aplicación WordPress"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "Escribe una respuesta..."; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "Escribe código…"; /* Title for the writing section in site settings screen */ "Writing" = "Escritura"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "La dirección de tu sitio aparece en la barra en la parte superior de la pantalla cuando visitas tu sitio en Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "¡Se ha creado tu sitio!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Ahora estás usando el editor de bloques para las nuevas entradas — ¡Genial! Si quieres cambiar al editor clásico, ve a «Mi sitio > Ajustes del sitio»."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMENTARIO]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "una hora"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "por %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "conexiones"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "esquema del documento"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "doble toque para cambiar de unidad"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "p.ej. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "p.ej. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "ejemplo.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "seguidor"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/direccion-de-mi-sitio (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "imagen"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "imagen %1$d de %2$d de la galería"; /* Text for related post cell preview */ "in \"Apps\"" = "en «Aplicaciones»"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "más tarde hoy"; -/* No comment provided by engineer. */ -"link" = "enlace"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "de"; -/* No comment provided by engineer. */ -"ordered list" = "lista ordenada"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "otros"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "contraseña"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "número de teléfono"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "entrada"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "resumen"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Se eliminarán estos elementos:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "hoy"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sitios, sitio, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "tu nuevo dominio %@ se está configurando. ¡Tu sitio está dando saltos mortales de emoción! "; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Dominios"; diff --git a/WordPress/Resources/fr.lproj/Localizable.strings b/WordPress/Resources/fr.lproj/Localizable.strings index 4852ffade772..f1e52019f4d2 100644 --- a/WordPress/Resources/fr.lproj/Localizable.strings +++ b/WordPress/Resources/fr.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-06 08:01:27+0000 */ +/* Translation-Revision-Date: 2021-05-12 14:54:07+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: fr */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articles non lus"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s a été transformé en %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s est %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li mots, %2$li caractères"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "Options du bloc %s"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloc %s. Vide"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloc %s. Le contenu de ce bloc est non valide"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "« %s » n’est pas entièrement pris en charge"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Ligne d'adresse %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Un article brouillon téléversé"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 menace potentielle détectée"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "<1 heure"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un bouton \"Plus\" contenant un menu déroulant qui affiche les boutons de partage"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Une image mise en avant est définie. Toucher pour la modifier."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un fichier contient un modèle de code malveillant"; -/* No comment provided by engineer. */ -"A link to a category." = "Un lien vers une catégorie."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Un lien vers une page."; - -/* No comment provided by engineer. */ -"A link to a post." = "Un lien vers un article."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Un lien vers une étiquette."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Un liste de sites de ce compte"; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Une série d’étapes pour vous guider à faire grandir l’audience de votre site."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Un étiquette appelée « %@ » existe déjà."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESSE"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "À propos"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Ajouter une nouvelle carte de statistiques"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Ajouter au début"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Ajouter un sujet"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Ajouter un CSS personnalisé ici pour être chargé dans le Lecteur. Si vous utilisez Calypso en local, cela ressemble à : http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Ajouter un site auto-hébergé"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Ajouter un texte alternatif"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Ajouter un sujet"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Ajouter une image ou un avatar pour représenter ce nouveau compte."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Ajouter un bloc paragraphe"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Ajouter un site auto-hébergé"; @@ -603,16 +493,7 @@ "Add tags" = "Ajouter des étiquettes"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "Ajouter texte…"; /* No comment provided by engineer. */ "Add this email link" = "Lien d’ajout de cet e-mail"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Lien d’ajout de ce téléphone"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Ajout des fonctionnalités du site"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignement"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Une erreur est survenue."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Un erreur inconnue s’est produite. Veuillez ré-essayer."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approuve le commentaire."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Voulez-vous vraiment annuler et effacer ces modifications ?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Confirmez-vous vouloir mettre à jour ?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "À compter du 1er août 2018, Facebook n’autorise plus le partage direct d’une publication sur un profil Facebook. La connexion aux pages Facebook reste inchangée."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Joindre le fichier comme lien"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "Page de la pièce jointe"; /* No comment provided by engineer. */ "Audio Player" = "Lecteur audio"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Légende audio. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "Légende audio. Vide"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "Réglages audio"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -967,7 +812,7 @@ "Authors" = "Auteurs"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "Automatique"; /* Describes a status of a plugin */ "Auto-managed" = "Auto-géré"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "Partagez automatiquement les nouveaux articles sur vos comptes de réseaux sociaux."; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "Lecture automatique"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Mises à jour automatiques"; @@ -1078,17 +923,35 @@ "Block Quote" = "Bloquer les citations"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "Impossible d’effectuer le rendu d’un bloc à l’intérieur de ce même bloc."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "Bloc copié"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Bloc coupé"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Bloc dupliqué"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Éditeur de blocs activé"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "Le bloc a été supprimé ou n’est plus disponible."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquer les tentatives de connexions malveillantes"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Bloc collé"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Bloc supprimé"; + +/* No comment provided by engineer. */ +"Block settings" = "Réglages du bloc"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Visiteur du site"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Gras"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Divisez les fils de commentaires en plusieurs pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Naviguez parmi tous nos thèmes pour trouver celui qui sera idéal."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "Navigateur par défaut"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Protection d’attaque par force brute"; @@ -1159,10 +1007,7 @@ "Button Style" = "Style du bouton"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "Par "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calcul…"; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Appareil photo"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Légende"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Attention !"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Catégorie"; -/* No comment provided by engineer. */ -"Category Link" = "Lien de catégorie"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Il manque le titre de la catégorie"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Erreur de certificat"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Changer le mot de passe"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "Modifier l’emplacement du bloc"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Les changements ont échoué"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "Modifier le niveau d’en-tête"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Change le type d’appareil utilisé pour l’aperçu"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Modification de l'identifiant"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Erreur de vérification des achats"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choisir un domaine"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choisir un fichier"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Effacer tous les anciens journaux d’activités ?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Supprimer la recherche"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Fermer les commentaires"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Fermer l’écran « Me »"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Pliée, %i tâches terminées, basculer sur déplier la liste de ces tâches"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Arrière-plans colorés"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combinez des photos, des vidéos et du texte pour créer des publications de story engageantes et sur lesquelles on peut appuyer. Vos visiteurs apprécieront."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connexions"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "Adresse e-mail de contact"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contacter le service support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contactez-nous à %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Structure de contenu\nBlocs : %1$li, mots : %2$li, caractères : %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuez avec Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convertir en blocs"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cuisine"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Bloc copié"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copier le lien dans le commentaire."; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copier le bloc"; /* No comment provided by engineer. */ "Copy file URL" = "Copier l’URL du fichier"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nous ne pouvons pas vérifier les achats du site."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Impossible de s’abonner au site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Créer une publication de story"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Créer un site WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Créer une étiquette"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Créer un nouveau site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Créer un nouveau site pour votre entreprise, magazine ou blog personnel ou connectez un site WordPress existant."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Créer un article ou une page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Créez un article, une page ou une story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Créer une sauvegarde téléchargeable"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "En cours de restauration : %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Message personnalisé…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personnaliser les réglages de votre site concernant les « J'aime », commentaires, abonnements et plus encore."; +/* No comment provided by engineer. */ +"Cut block" = "Couper le bloc"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Sombre"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 décembre 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Par défaut"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL par défaut"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Paramètres par défaut pour les nouveaux articles"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Erreur de suppression du site"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Supprimer le menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Effacer cette étiquette"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Description"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Graphisme"; /* Title for the desktop web preview */ "Desktop" = "Bureau"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Détails"; @@ -2355,94 +2089,7 @@ "Display Name" = "Nom affiché"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "Affiche la date du contenu"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Affichez ici les statistiques de votre site. Configurez dans l’application WordPress dans la rubrique les statistiques de votre site."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Affiche vos statistiques d'aujourd’hui ici. Configurez ceci dans l'application WordPress sous Site > Statistiques > Aujourd'hui"; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document : %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Ne vous inquiétez pas."; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Toucher deux fois sur cet élément de menu et le maintenir pour le déplacer vers le haut ou vers le bas"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Appuyer deux fois pour ouvrir la feuille d’action afin de modifier, remplacer ou supprimer l’image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Toucher deux fois pour ouvrir la feuille d’actions avec les options disponibles"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Appuyer deux fois pour ouvrir la feuille du bas afin de modifier, remplacer ou supprimer l’image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Toucher deux fois pour ouvrir la feuille du bas avec les options disponibles"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Toucher deux fois pour restaurer la dernière modification"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Télécharger la sauvegarde"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Télécharger le fichier"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Téléchargements"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Brouillons"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Dupliquer"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Dupliquer le bloc"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Est"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Modifier le block %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Modifier le mot de la liste de blocage"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Modifier l'article"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Modifier le site"; /* No comment provided by engineer. */ "Edit focal point" = "Modifier le point focal"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Modifier les boutons de partage"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Modifier d’abord l’article"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Modifier avec l’éditeur web"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-mail envoyé !"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vide"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Adresse vide"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Activer"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Date de fin"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Entrer en plein écran"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "Saisissez l’URL à intégrer ici…"; /* Enter a custom value */ "Enter a custom value" = "Saisissez une valeur personnalisée"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Saisissez un mot de passe pour protéger cette publication"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Saisissez des mots différents ci-dessus et nous regarderons si une adresse correspond."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Saisissez les identifiants de votre serveur afin d’activer les restaurations de site en un clic à partir des sauvegardes."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Entrez les identifiants de votre serveur pour résoudre la menace."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Entrez les identifiants de votre serveur pour résoudre les menaces."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Erreur lors de la mise à jour des réglages d’accélération du site"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Évènement"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explorer les plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exporter le contenu"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "L'image à la une n'a pas pu être chargée"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Récupération des thèmes..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Type de fichier"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Remplir avec un gestionnaire de mot de passe"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Prénom"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Tout corriger"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Exact"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Correction des menaces"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pour vous faciliter la tâche, nous avons prérempli vos coordonnées WordPress.com. Veuillez vérifier qu'elles correspondent bien aux informations que vous voulez utiliser pour ce domaine."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Transmettre"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Gratuit"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Légende de la galerie. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "Obtenez votre site opérationnel"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "Inspiration"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Obtention des informations du compte"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Abandonner"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Donnez à votre site un nom qui reflète sa personnalité et le sujet qu’il aborde. La première impression compte !"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Contenu HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Titre 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Titre 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "Titre %d"; /* H1 Aztec Style */ "Heading 1" = "Titre 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Titre 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Aide"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Icône d’aide"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Voilà les performances de l'article."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Cacher le clavier"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Retenir pour modération"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hourra !\nC’est presque fini."; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Comment Jetpack a-t-il réparé ?"; @@ -3709,7 +3080,7 @@ "I Like It" = "J’aime"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Le travail du photographe Cameron Karsten m’inspire tellement. Je vais essayer ces techniques lors de mon prochain"; /* Title of a button style */ "Icon & Text" = "Icône et texte"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Si vous continuez avec Apple ou Google sans disposer au préalable d’un compte WordPress.com, vous créez un compte et acceptez nos _conditions d’utilisation_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Si vous supprimez %1$@, cet utilisateur ne pourra plus accéder à ce site mais le contenu ayant été créé par %2$@ restera sur le site."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Taille de l’image"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Légende de l’image. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "Paramètres d'image"; /* Hint for image title on image settings. */ -"Image title" = "Titre de l’image"; - -/* No comment provided by engineer. */ -"Image width" = "Largeur de l’image"; +"Image title" = "Titre de l’image"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Immédiatement"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Décrivez votre site en quelques mots."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Identifiant ou mot de passe incorrect. Veuillez ressaisir vos identifiants de connexion."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Fichier core infecté"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insérer un média"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insérer un média"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insérer la sélection"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "L’installation d’une première extension sur votre site peut prendre jusqu'à une minute. Pendant ce temps, vous ne pourrez effectuer aucun changement à votre site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Présentation des publications de story"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italique"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Surveillez les performances de votre site."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Utilisateurs connus"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Libellé"; -/* No comment provided by engineer. */ -"Landscape" = "Paysage"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Langue"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Résumé du dernier article"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "En savoir plus"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "En savoir plus sur les formats de date et d’heure."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Plus d’infos sur les rôles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Icônes héritées"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Laissez-nous vous aider"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Indiquez-moi lorsque l’opération est terminée !"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Niveau %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Niveau %s. Vide."; - /* Title for the app appearance setting for light mode */ "Light" = "Clair"; @@ -4202,19 +3489,7 @@ "Link To" = "Lien vers"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "Lien vers"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Lien vers du contenu existant"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Liens dans les commentaires"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Style de liste"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Charger"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Chargement..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Connectez-vous avec votre identifiant WordPress.com et votre mot de passe."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Se déconnecter de WordPress ?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Demande de connexion expirée"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Il semble que vous ayez activé Jetpack sur votre site. Félicitations !\nConnectez-vous avec vos identifiants WordPress.com ci-dessous pour activer les statistiques et notifications."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "Répéter"; /* Title of a button. */ "Lost your password?" = "Mot de passe oublié ?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigation principale"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Vérifier les comptes en utilisant les e-mails"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Taille max. de téléversement des images"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Taille maximum d’envoi de vidéo."; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "Chargements de contenu multimédia"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "Section des médias"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Le média n’a pas de fichier associé à téléverser."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "Fichier média"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "La taille du fichier média (%1$@) est trop importante pour téléverser. Le maximum autorisé est %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "L’aperçu du média a échoué."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Médias téléversés (%ld fichiers)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Surveiller la disponibilité de votre site"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Mois"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Articles connexes sur WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Heure la plus populaire"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Déplacer vers le bas"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Déplacer l’élément de menu"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "Déplace le commentaire dans la corbeille."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "Musées à visiter à Londres"; /* An example tag used in the login prologue screens. */ "Music" = "Musique"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Mon profil"; @@ -4725,10 +3934,7 @@ "My Tickets" = "Mes tickets"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "Mon top 10 des cafés"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Naviguer pour personnaliser le dégradé"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Besoin d'aide ?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nouveau mot de la liste de blocage"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nouvelles icônes d’application personnalisées"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nouveaux articles"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Nouveauté"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Suivant"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Étapes suivantes"; /* Accessibility label for the next notification button */ "Next notification" = "Notification suivante"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Période suivante"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Non"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Pas de connexion"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Aucun élément"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Pas de commentaire pour l'instant"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Aucun article."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Aucun article récent"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Vous ne voyez pas l’e-mail ? Vérifiez votre dossier de courrier indésirable."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note : la mise en page des colones peut varier entre les thèmes et les tailles d’écran."; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Aucun résultat."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Nombre"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Liste numérotée"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Button 1Password"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Afficher uniquement les statistiques pertinentes. Ajouter des thématiques pour répondre à vos besoins."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oups !"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Ouvrir le menu d’actions du bloc"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Ouvrir les réglages de l’appareil"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Ouvrir WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Ouvrir le sélecteur de média complet."; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Ou connectez-vous en _saisissez l’adresse de votre site_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Liste ordonnée"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Entreprise"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Autres sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Outrepassé"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TÉLÉPHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Lien de page"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page rétablie dans Brouillons"; @@ -5363,7 +4494,7 @@ "Page Settings" = "Réglages de la page"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "Saut de page"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Bloc de saut de page. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Pagination"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraphe"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Catégorie mère"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Coller une URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Coller le bloc après"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Coller en texte brut"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Sélectionnez votre mise en page préférée pour la page d’accueil. Vous pourrez la personnaliser ou la modifier ultérieurement."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Offre"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Offres"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Lancer la vidéo"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Veuillez ajouter du contenu avant d’essayer de publier."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Langues populaires"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Article "; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Catégories d'articles"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format d'article"; -/* No comment provided by engineer. */ -"Post Link" = "Lien de l’article"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Article rétabli dans Brouillons"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "Publié par %1$@ depuis %2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "Paramètres du contenu de l’article"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Article créé le %@."; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "Le téléversement de l’article a échoué"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "Paramètres des métadonnées de l’article"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Article déplacé dans la Corbeille."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publié sur %1$@ à %2$@ par %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Calendrier des publications"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Articles"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Page des articles"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "Propulsé par Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "Précharger"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Prévisualisez votre nouveau site pour voir ce que votre visiteurs verra."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Notification précédente"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Période précédente"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Site principal"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projets"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publication..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Achats"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Les notifications Push ont été désactivées dans les paramètres iOS. Sélectionnez « Autoriser les notifications » pour les réactiver."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Démarrage rapide"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Évaluez-nous sur l'App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "À lire sur"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnecté"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Référant"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Les articles similaires affichent du contenu pertinent de votre site après chaque article."; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Supprime cet article de mes articles enregistrés."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Supprimer la vidéo"; @@ -6226,7 +5249,7 @@ "Replace file" = "Remplacer le fichier"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "Remplacer l’image"; /* No comment provided by engineer. */ "Replace image or video" = "Remplacer l’image ou la vidéo"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionner et recadrer"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Résolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Rétablir le site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Rétablir à cette version"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Les blocs réutilisables ne sont pas modifiables sur WordPress pour iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Annuler les modifications en attente"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rôle"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS envoyé"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Sélectionner le style de paragraphe"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Sélectionnez le %@ pour ajouter vos comptes de réseaux sociaux"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Envoyez les notifications push"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servir les images depuis votre serveur"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Définir comme page des articles"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Configurer"; @@ -6819,10 +5818,7 @@ "Sharing error" = "Erreur de partage"; /* No comment provided by engineer. */ -"Shortcode" = "Shortcode"; - -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; +"Shortcode" = "Code court"; /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Afficher l'en-tête"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "Afficher les articles similaires"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "Afficher le bouton Télécharger"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Afficher le contenu de l’article"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Afficher la section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "N’afficher que mes articles"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Afficher les statistiques pour :"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Affiche les articles du site."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "S’inscrire"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Langue du site"; -/* No comment provided by engineer. */ -"Site Logo" = "Logo pour votre site"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "Sécurité et performances du site\nde votre poche"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fuseau horaire du site (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titre du site bien modifié"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites à suivre"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Taille"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Certains téléversements de média ont échoués. Cette action va supprimer tous ces médias de l’article. \nEnregistrer quand même ?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Désolé, cet identifiant n’est pas disponible."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Les identifiants ne peuvent contenir que des lettres minuscules (a-z) et des chiffres."; @@ -7152,23 +6112,17 @@ "Sort By" = "Trier par"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "Tri et filtrage"; /* Opens the Github Repository Web */ "Source Code" = "Code source"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sud"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espace disque utilisé"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Accélerez votre site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Par défaut"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Recommencer"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Commencer à écrire…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Barrer"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Pré-chargée"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Soumettre à la relecture..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "L’index spolight a bien été effacé"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Changer de site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Réglage système"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table des matières"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Le tableau affiche%@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Étiquette"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Lien de l’étiquette"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Cette étiquette existe déjà."; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Dites-nous quel type de site vous aimeriez créer"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Conditions générales"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Texte seul"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Envoyez-moi un code à la place."; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Merci d'avoir choisi %1$@ de %2$@"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "L'application WordPress Android a reçu une cure de rajeunissement"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "Les meilleurs fans du monde"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "L'application ne comprend la réponse du serveur. Veuillez vérifier la configuration de votre site."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Le certificat de ce serveur n’est pas valide. Le serveur auquel vous vous connectez prétend être « %@ », ce qui peut constituer un risque de sécurité pour vos données confidentielles.\n\nSouhaitez-vous faire confiance au certificat malgré tout ?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Le fichier %1$@ contient un modèle de code malveillant"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "La vidéo n’a pas pu être ajoutée à la médiathèque."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Thème activé"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Il y a un problème pour se connecter à %@. Reconnectez-le pour continuer à publier."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Cette application nécessite une autorisation pour accéder à la médiathèque de votre appareil, afin d’ajouter des photos et\/ou une vidéo à vos articles. Pour ce faire, veuillez modifier les réglages de confidentialité."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Ce domaine n’est pas disponible"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Menace ignorée."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniature"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Titre"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Une catégorie doit obligatoirement avoir un titre."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Pour ajouter des photos ou des vidéos à vos articles."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Pour effectuer cela avec ce compte Google, veuillez d’abord vous connecter avec votre mot de passe WordPress.com. Cela sera demandé une seule fois."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Pour prendre des photos ou réaliser des vidéos à utiliser dans vos articles."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Basculer la source HTML "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Active\/désactive le style liste ordonnée"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total des mots"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Trafic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformer %s en"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformer le bloc…"; + /* No comment provided by engineer. */ "Translate" = "Traduire"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Identifiant Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Saisissez un mot clé pour obtenir des idées"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Site sans nom"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Liste non ordonnée"; @@ -8382,7 +7213,7 @@ "Unread" = "Non lu"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "Sans réponse"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Modifications non enregistrées"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Sans titre"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Conserve jusqu'à sept jours de rapports de bugs."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Téléverser un média"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Téléverser une icône de site"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Chargez une image ou choisissez-en une dans votre bibliothèque de médias pour en faire le logo de votre site."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Le téléversement a échoué"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Utiliser la localisation actuelle"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Utiliser l’éditeur de blocs"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Utilisez ce lien pour ajouter les membres de votre équipe sans avoir à les inviter individuellement. Toute personne ayant accès à ce lien sera en mesure de rejoindre votre organisation, même si le lien a été envoyé par quelqu’un d’autre que vous. Faites attention à le partager uniquement à des personnes de confiance."; /* No comment provided by engineer. */ "Use this site" = "Utiliser ce site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Vérifiez votre adresse de messagerie. Instructions envoyées à %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "La version %@ est disponible"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Aperçu de la vidéo non disponible."; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Légende de la vidéo. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "Export de la vidéo annulé."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "Réglages vidéo"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Vidéo, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Visiteurs"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Thème vulnérable : %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Administrateur WP"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Bienvenue dans le lecteur"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Bienvenue sur le constructeur de site le plus populaire au monde."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Oups, ce n’est pas un code de vérification deux facteurs valide. Vérifiez à nouveau et réessayez."; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Ne sera pas affiché publiquement."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Avec cet éditeur puissant, vous pouvez publier de n’importe où."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Réglage de l’app WordPress"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "Écrire une réponse..."; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "Rédiger du code…"; /* Title for the writing section in site settings screen */ "Writing" = "Rédaction"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "L’adresse de votre site apparait dans la barre en haut de l’écran quand vous le visitez dans Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Votre site a été créé !"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Vous utilisez actuellement le nouvel éditeur de blocs pour les nouveaux articles – c’est super ! Si vous revenir à l’éditeur classique, allez à « Mon site » > « Réglages du site »."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENTAIRE]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "une heure"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "Audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "par %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connexions"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "aperçu du document"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "appuyer deux fois pour modifier l’unité"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ex. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ex. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "exemple.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "abonné"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/adresse-de-mon-site (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "Image"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "image %1$d sur %2$d dans la galerie"; /* Text for related post cell preview */ "in \"Apps\"" = "dans \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "ultérieurement aujourd'hui"; -/* No comment provided by engineer. */ -"link" = "lien"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "sur"; -/* No comment provided by engineer. */ -"ordered list" = "liste ordonnée"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "Autre"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "mot de passe"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "numéro de téléphone"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "article"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "lire la suite"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "sommaire"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "ces éléments vont être supprimés :"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "aujourd’hui"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Votre nouveau domaine %@ est en cours de configuration. Votre site fait des bonds d’excitation !"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domaines"; diff --git a/WordPress/Resources/he.lproj/Localizable.strings b/WordPress/Resources/he.lproj/Localizable.strings index 61057a7d8263..a9d14eeaed84 100644 --- a/WordPress/Resources/he.lproj/Localizable.strings +++ b/WordPress/Resources/he.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-07 14:12:28+0000 */ +/* Translation-Revision-Date: 2021-05-12 16:54:48+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: he_IL */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "⁦%1$d⁩ פוסטים מוסתרים"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "⁦%1$s⁩ שונה אל ⁦%2$s⁩"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. ⁦%2$s⁩ הוא ⁦%3$s⁩ %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li מילים, %2$li תווים"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s אפשרויות הבלוק"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "הבלוק %s. ריק"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "הבלוק %s. בלוק זה כולל תוכן לא חוקי"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' לא נתמך באופן מלא"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ שורת כתובת %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "הועלה פוסט טיוטה אחד"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "נמצא איום פוטנציאלי אחד"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< שעה אחת"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "הכפתור 'עוד' כולל תפריט נפתח שמציג כפתורי שיתוף"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "התמונה המרכזית הוגדרה. יש להקיש כדי לשנות אותה."; /* Title for a threat */ "A file contains a malicious code pattern" = "קובץ שמכיל תבנית של קוד זדוני"; -/* No comment provided by engineer. */ -"A link to a category." = "קישור לקטגוריה מסוימת."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "קישור לעמוד מסוים."; - -/* No comment provided by engineer. */ -"A link to a post." = "קישור לפוסט מסוים."; - -/* No comment provided by engineer. */ -"A link to a tag." = "קישור לתגית מסוימת."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "רשימה של אתרים בחשבון זה."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "סדרת צעדים שתעזור לך להגדיל את קהל המבקרים באתר שלך."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "תגית בשם '%@' כבר קיימת."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "כתובת"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "אודות"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "הוספה להתחלה"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "להוסיף נושא"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "להוסיף כאן כתובת URL של CSS מותאם כדי לטעון אותה ב-Reader. אם השירות של Calypso מופעל אצלך באופן מקומי, הכתובת תוצג בצורה הבאה: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "להוסיף אתר באחסון עצמי"; @@ -547,20 +449,11 @@ /* No comment provided by engineer. */ "Add alt text" = "הוספת טקסט חלופי"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "להוסיף נושא כלשהו"; /* No comment provided by engineer. */ -"Add caption" = "Add caption"; - -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; +"Add caption" = "להוסיף כיתוב"; /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "להוסיף תמונה או תמונת פרופיל שתייצג את החשבון חדש."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "להוסיף בלוק פסקה רגילה"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "הוספת אתר באחסון עצמי"; @@ -603,16 +493,7 @@ "Add tags" = "הוספת תגיות"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "להוסיף טקסט…"; /* No comment provided by engineer. */ "Add this email link" = "להוסיף את הקישור לאימייל"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "להוסיף קישור למספר הטלפון"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "מוסיף תכונות אתר"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "אלבומים"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "יישור"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "אירעה שגיאה."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "אירעה שגיאה לא מזוהה. יש לנסות שוב."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "אישור התגובה."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "בחרת לבטל את השינויים - האם ההחלטה סופית?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "האם ברצונך לעדכן?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "אומנות"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "החל מ-1 באוגוסט 2018, פלטפורמת פייסבוק לא תאפשר עוד שיתוף ישיר של פוסטים לפרופילים בפייסבוק. החשבונות המקושרים לדפים בפייסבוק לא ישתנו."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "צירוף קובץ כקישור"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "עמוד עם קובץ מצורף"; /* No comment provided by engineer. */ "Audio Player" = "לנגן אודיו"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "תיאור אודיו. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "תיאור אודיו. ריק"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "הגדרות אודיו"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "אודיו, %@"; @@ -967,7 +812,7 @@ "Authors" = "מחברים"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "אוטומטי"; /* Describes a status of a plugin */ "Auto-managed" = "ניהול אוטומטי"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "שיתוף אוטומטי של פוסטים חדשים בחשבונות שלך ברשתות החברתיות."; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "ניגון אוטומטי"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "עדכונים אוטומטיים"; @@ -1078,17 +923,35 @@ "Block Quote" = "ציטוט"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "לא ניתן לעבד את הבלוק הזה בתוך עצמו."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "הבלוק הועתק"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "הבלוק נחתך"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "הבלוק שוכפל"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "עורך הבלוקים הופעל"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "הבלוק נמחק או לא זמין."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "חסימת ניסיונות התחברות זדוניים"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "הבלוק הודבק"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "הבלוק הוסר"; + +/* No comment provided by engineer. */ +"Block settings" = "הגדרות הבלוק"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "לחסום את האתר הזה"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "הצופה של הבלוג"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "מודגש"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "חלוקת שרשורי תגובות למספר עמודים."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "עיון בכל ערכות העיצוב שלנו כדי למצוא את ההתאמה המושלמת."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "ברירת מחדל לדפדפן"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "הגנה מפני התקפות של ניחוש סיסמה"; @@ -1159,10 +1007,7 @@ "Button Style" = "סגנון הכפתור"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "לפי"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "חישוב..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "מצלמה"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "כיתוב"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "בזהירות!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "קטגוריה"; -/* No comment provided by engineer. */ -"Category Link" = "קישור לקטגוריה"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "חסרה כותרת לקטגוריה"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "שגיאה בתעודה"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "שינוי סיסמה"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "לבדוק את מיקום הבלוק"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "שינוי נכשל"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "לשנות את הרמה של הכותרת"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "יש לשנות את סוג המכשיר המשמש לתצוגה מקדימה"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "משנה את שם המשתמש"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "שגיאה בעת בדיקת הרכישות"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "בחירת דומיין"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "לבחור קובץ"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "האם למחוק את כל יומני הפעילות הישנים?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "לנקות את החיפוש"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "סגור לתגובות"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "לסגור את המסך 'אני'"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "קוד"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "כווץ, %i משימות שהושלמו, שינוי בהגדרה ירחיב את הרשימה של המשימות האלו"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "רקעים צבעוניים"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "אפשר לשלב תמונות, סרטוני וידאו וטקסטים כדי ליצור פוסטים מעניינים של סטורי שיוצגו בהקשה ולהרשים את הקוראים שלך."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "חיבורים"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "איש קשר"; - /* Support email label. */ "Contact Email" = "אימייל ליצירת קשר"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "כדאי לפנות לתמיכה"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "ניתן ליצור אתנו קשר בכתובת %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "מבנה תוכן\nבלוקים: ⁦%1$li⁩, מילים: %2$li, תווים: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "להמשיך עם Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "להמיר לבלוקים"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "בישול"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "הבלוק הועתק"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "העתקת הקישור לתגובה"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "להעתיק בלוק"; /* No comment provided by engineer. */ "Copy file URL" = "להעתיק כתובת URL של קובץ"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "לא ניתן היה לבדוק רכישות באתר."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "אי אפשר לעקוב אחר האתר"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "ליצור פוסט של סטורי"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "יצירת אתר בוורדפרס.קום"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "יצירת תגית"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "ליצור אתר חדש"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "יצירה של אתר חדש לעסק שלך, מגזין, או בלוג אישי; או חיבור התקנה קיימת של WordPress."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "ליצור פוסט או עמוד"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "ליצור פוסט, עמוד או סטורי חדש"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "ליצור גיבוי להורדה"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "אנחנו משחזרים כעת את: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "הודעה מותאמת אישית..."; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "התאמה אישית של הגדרות האתר שלך עבור לייקים, תגובות, עוקבים ועוד."; +/* No comment provided by engineer. */ +"Cut block" = "לחתוך בלוק"; + /* Title for the app appearance setting for dark mode */ "Dark" = "צבעים כהים"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 בדצמבר, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "ברירת מחדל"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "כתובת URL בברירת מחדל"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "ברירות מחדל עבור פוסטים חדשים"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "שגיאה במחיקת אתר"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "מחיקת תפריט"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "מחיקת תגית זו"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "תיאור"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "עיצוב"; /* Title for the desktop web preview */ "Desktop" = "מחשב שולחני"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "פרטים"; @@ -2355,94 +2089,7 @@ "Display Name" = "שם תצוגה"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "להציג את תאריך הפוסט"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "להציג כאן את הנתונים הסטטיסטיים שלך מכל הזמנים. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "להציג את הנתונים הסטטיסטיים היומיים של האתר כאן. יש להגדיר את האפשרות באפליקציה של WordPress בנתונים הסטטיסטיים של האתר שלך."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "מסמכים: ‎%@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "אל דאגה"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "יש להקיש פעמיים ולהחזיק כדי להזיז את פריט התפריט במעלה או במורד הרשימה"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "יש להקיש פעמיים כדי לפתוח את גיליון הפעולה ולערוך, להחליף או למחוק את התמונה"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "יש להקיש פעמיים כדי לפתוח את גיליון הפעולות עם האפשרויות הזמינות"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "יש להקיש פעמיים כדי לפתוח את הגיליון התחתון ולערוך, להחליף או למחוק את התמונה"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "יש להקיש פעמיים כדי לפתוח את גיליון הכפתורים עם האפשרויות הזמינות"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "יש להקיש פעמיים כדי לבצע שוב את השינוי האחרון"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "להורדת הגיבוי"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "להורדת הקובץ"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "הורדות"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "טיוטות"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "לשכפל"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "לשכפל בלוק"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "מזרח"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "לערוך את הבלוק '%@'"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "לערוך את המילה ברשימת החסימות"; @@ -2671,12 +2270,6 @@ Opens the editor to edit an existing post. */ "Edit Post" = "ערוך פוסט"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "לערוך קובץ"; @@ -2684,10 +2277,7 @@ "Edit focal point" = "לערוך נקודת מוקד"; /* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - -/* No comment provided by engineer. */ -"Edit image" = "Edit image"; +"Edit image" = "לערוך תמונה"; /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "לעריכת פוסטים ועמודים חדשים עם עורך הבלוקים."; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "עריכת כפתורי שיתוף"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "לערוך את הפוסט קודם כל"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "לערוך באמצעות עורך אינטרנט"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "האימייל נשלח!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "ריק"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "קישור ריק"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "הפעלה"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "תאריך סיום"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "להיכנס לתצוגה של מסך מלא"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "יש להזין כתובת URL להטבעה כאן..."; /* Enter a custom value */ "Enter a custom value" = "הזנת ערך מותאם אישית"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "להזין סיסמה כדי להגן על פוסט זה"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "יש להזין מילים שונות למעלה ואנחנו נחפש כתובת שתתאים להן."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "יש להזין את פרטי הכניסה של השרת כדי להפעיל שחזורים בלחיצה אחת מגיבויים."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "יש להזין את פרטי הכניסה של השרת כדי לתקן את האיום הזה."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "יש להזין את פרטי הכניסה של השרת כדי לתקן את האיומים האלה."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "שגיאה בעדכון ההגדרות לשיפור המהירות באתר"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "אירוע"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "עיון בתוכניות"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "לייצא תוכן"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "התמונה הראשית לא נטענה"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "טוען תבניות"; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "סוג קובץ"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "למלא באמצעות מנהל סיסמאות"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "שם פרטי"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "לתקן הכול"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "תוקן"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "מתקן את האיומים"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "פוטבול"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "לנוחותך, מילאנו מראש את הפרטים ליצירת קשר עמך ב-WordPress.com. יש לבדוק את הפרטים ולוודא שהמידע נכון לדומיין שבו ברצונך להשתמש."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "העבר"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "חינם"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "כיתוב לגלריה. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "הפעלת האתר שלך"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "לקבל השראה"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "טוען פרטי חשבון"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "לוותר"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "כדאי לתת לאתר שלך שם שמשקף את האישיות שלו והנושאים שמוצגים בו. הרושם הראשוני חשוב!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "תוכן HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "כותרת עליונה מס' 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "כותרת עליונה מס' 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "כותרת %d"; /* H1 Aztec Style */ "Heading 1" = "כותרת ברמה 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "כותרת ברמה 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "עזרה"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "סמל עזרה"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "אלו הביצועים של הפוסט עד כה."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "הסתר מקלדת"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "המתנה לניהול"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "הידד!\nכמעט סיימת"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "איך הבעיה תוקנה על ידי Jetpack?"; @@ -3709,7 +3080,7 @@ "I Like It" = "אהבתי את זה"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "העבודות של הצלם קמרון קרסטן הן השראה עצומה עבורי. את הטכניקות האלה אביא לידי ביטוי בפעם הבאה שאצור"; /* Title of a button style */ "Icon & Text" = "סמל וטקסט"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "אם בחרת להמשיך עם Apple או עם Google ועדיין אין לך חשבון ב-WordPress.com, חשבון ייווצר עבורך ויש הסכמה מצידך לתנאי השירות שלנו."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "לאחר הסרתו של המשתמש %1$@, לא תהיה לו עוד גישה לאתר זה אך כל התוכן שנוצר על ידי %2$@ יישאר באתר."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "גודל תמונה"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "כיתוב התמונה. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "הגדרות תמונה"; /* Hint for image title on image settings. */ -"Image title" = "כותרת התמונה"; - -/* No comment provided by engineer. */ -"Image width" = "רוחב התמונה"; +"Image title" = "כותרת התמונה"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "תמונה, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "מיד"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "במספר מילים, הסבר במה עוסק האתר."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "לא פעיל"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "שם משתמש או סיסמה לא נכונים. יש לנסות להזין שוב את פרטי ההתחברות."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "קובץ ליבה נגוע"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "הוספת מדיה"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "הוספת פריטי מדיה"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "להוסיף את הפריטים שנבחרו"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "ההתקנה של התוסף הראשון באתר עשויה לארוך כדקה. במהלך ההתקנה, לא תהיה לך אפשרות לבצע שינויים באתר."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "אנו שמחים להציג את האפשרות 'פוסטים של סטורי'."; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "כתב נטוי"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "קבלת עדכונים על הביצועים של האתר שלך."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "משתמשים מוכרים"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "תווית"; -/* No comment provided by engineer. */ -"Landscape" = "נוף"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "שפה"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "גדול"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "סיכום פוסטים אחרונים"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "מידע נוסף"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "מידע נוסף לגבי תבניות זמן ותאריך."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "למידע נוסף על תפקידים"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "סמלים ישנים"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "תנו לנו לעזור"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "הודיעו לי כאשר הפעולה מסתיימת!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "רמה %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "רמה %s. ריק."; - /* Title for the app appearance setting for light mode */ "Light" = "צבעים בהירים"; @@ -4202,19 +3489,7 @@ "Link To" = "קישור אל"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "קישור אל"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "קישור לתוכן קיים"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "קישורים בתגובות"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "סגנון רשימה"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "טעינה"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "טוען..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "מקומי"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "יש להתחבר באמצעות שם המשתמש והסיסמה של WordPress.com.‏"; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "האם להתנתק מ-WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "פג תוקף בקשת ההתחברות"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "לוגים"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "נראה כי באתר שלך מוגדר Jetpack. ברכותינו! יש להיכנס עם פרטי הכניסה של WordPress.com כדי לאפשר סטטיסטיקות והתראות."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "ניגון ברצף"; /* Title of a button. */ "Lost your password?" = "שחזור סיסמה"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "ניווט ראשי"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "התאמת חשבונות באמצעות אימייל"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "גודל מרבי להעלאת תמונה"; /* Title for the video size settings option. */ "Max Video Upload Size" = "הגודל המקסימלי להעלאת וידאו"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "העלאות מדיה"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "אזור מדיה"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "לפריט המדיה חסר קובץ מקושר להעלאה."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "קובץ מדיה"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "גודל הקובץ (%1$@) חורג מהגודל האפשרי להעלאה. גודל ההעלאה המקסימלי הוא %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "תצוגה מקדימה של פריט מדיה נכשלה."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "פרטי המדיה הועלו (%ld קבצים)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "מעקב אחרי זמן הפעולה התקינה של האתר שלך"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "חודשים"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "עוד מ-WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "המועד הפופולרי ביותר"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "העברה למטה"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "להעביר פריט תפריט"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "העברת התגובות לפח."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "מוזיאונים מומלצים בלונדון"; /* An example tag used in the login prologue screens. */ "Music" = "מוזיקה"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "הפרופיל שלי"; @@ -4725,10 +3934,7 @@ "My Tickets" = "הפנייה שלי"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "העשירייה הפותחת של בתי הקפה האהובים עלי"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "הפעולה מנווטת אל האפשרות להתאים את מעבר הצבע"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "עזרה"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "מילה חדשה לרשימת החסימות"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "סמלים מותאמים חדשים באפליקציה"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "פוסטים חדשים"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "חדשים ביותר"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "הבא"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "לשלב הבא"; /* Accessibility label for the next notification button */ "Next notification" = "ההודעה הבאה"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "התקופה הבאה"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "לא"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "אין חיבור"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "אין פריטים"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "עדיין אין תגובות"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "אין פוסטים."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "אין פוסטים מהזמן האחרון"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "לא קיבלת את האימייל? בדוק את הספאם או תיקיית הזבל במייל."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "שורת הפריסה יכולה להשתנות בין תבניות וגדלי מסך."; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "לא נמצא כלום."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "מספר"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "רשימה ממוספרת"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "כפתור סיסמה אחד"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "הצגה של הנתונים הסטטיסטיים הרלוונטיים ביותר בלבד. להוסיף תובנות שיתאימו לצרכיך."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "אופפפס!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "לפתוח את התפריט של פעולות הבלוק"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "פתיחת הגדרות מכשיר"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "לפתוח את WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "פתיחה של בוחר המדיה המלא"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "לחלופין, ניתן להתחבר באמצעות _הזנת הכתובת של האתר שלך_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "רשימה מסודרת"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "ארגון"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "אתרים אחרים"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "נדרס"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "טלפון"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "עמוד"; -/* No comment provided by engineer. */ -"Page Link" = "קישור לעמוד"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "עמוד שוחזר למצב 'טיוטה'"; @@ -5363,7 +4494,7 @@ "Page Settings" = "הגדרות עמוד"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "מעבר עמוד"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "בלוק של מעבר דף. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "עימוד"; -/* No comment provided by engineer. */ -"Paragraph" = "פסקה רגילה"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "קטגוריית אב"; @@ -5442,7 +4567,7 @@ "Paste URL" = "להדביק את כתובת ה-URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "להדביק את הבלוק אחרי"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "הדבקה בלי העיצוב"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "יש לבחור את הפריסה המועדפת עליך לעמוד הבית. אפשר לערוך ולהתאימה אישית מאוחר יותר."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "תוכנית"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "תוכניות"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "הפעלת וידאו"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "יש להוסיף תוכן לפני לחיצה על פרסום."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "שפות פופולאריות"; -/* No comment provided by engineer. */ -"Portrait" = "דיוקן"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "פוסט"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "קטגוריות"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "פורמט"; -/* No comment provided by engineer. */ -"Post Link" = "קישור לפוסט"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "פוסט שוחזר למצב \"טיוטה\""; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "פוסט מאת %1$@, מ-%2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "הגדרות תוכן הפוסט"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "הפוסט נוצר ב %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "העלאת הפוסט נכשלה"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "הגדרות תיאור הפוסט"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "פוסט הועבר לפח."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "פורסם בפוסט %1$@ בכתובת %2$@ מאת %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "פעילות פרסום"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "פוסטים"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "עמוד הפוסטים"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "מופעל על ידי Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "טעינה מראש"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "באפשרותך להציג תצוגה מקדימה של האתר החדש כדי לבחון מה יראו המבקרים בו."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "הודעה קודמת"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "התקופה הקודמת"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "אתר ראשי"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "פרויקטים"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "ציבורי"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "מפרסם..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "רכישות"; @@ -6023,29 +5070,14 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "הודעות בדחיפה כובו בהגדרות של iOS. יש לבחור ב'הפעלת הודעות' כדי לאפשר אותן שוב."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "התחלה מהירה"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "נשמח לקבל ממך דירוג בחנות האפליקציות"; /* No comment provided by engineer. */ -"Read more" = "Read more"; - -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; +"Read more" = "לקרוא עוד"; /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "ניתן לקרוא באתר"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "מחובר"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "הפניה"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "פוסטים קשורים מציגים תוכן רלוונטי מהאתר שלך, מתחת לפוסטים שלך"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "הסרת הפוסט הנוכחי מרשימת הפוסטים שנשמרו."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "הסר וידאו"; @@ -6226,7 +5249,7 @@ "Replace file" = "להחליף את הקובץ"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "להחליף תמונה"; /* No comment provided by engineer. */ "Replace image or video" = "להחליף תמונה או וידאו"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "שינוי גודל וחיתוך"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "רזולוציה"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "לשחזר את האתר"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "לשחזר לנקודה זאת"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "לא ניתן לערוך בלוקים לשימוש חוזר ב-WordPress ל-iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "החזר שינוי בהמתנה למצב קודם"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "תפקיד"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS נשלח"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "בחירת סגנון פסקה"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "יש לבחור %@ כדי להוסיף חשבונות של רשתות חברתיות"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "שליחת הודעות בדחיפה"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "הצגת תמונות מהשרתים שלנו"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "להגדיר כעמוד פוסטים"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "הגדרה"; @@ -6819,10 +5818,7 @@ "Sharing error" = "שגיאה בשיתוף"; /* No comment provided by engineer. */ -"Shortcode" = "Shortcode"; - -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; +"Shortcode" = "שורטקוד"; /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "הצגת כותרת"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "הצג תכנים באותו נושא"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "להציג את כפתור ההורדה"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "להציג את תוכן הפוסט"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "להציג את המקטע"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "מראה את הפוסטים שלי בלבד"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "מציג נתונים סטטיסטיים עבור:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "האפשרות מציגה את הפוסטים של אתר."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "הרשמה"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "שפת אתר"; -/* No comment provided by engineer. */ -"Site Logo" = "לוגו האתר"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "האבטחה והביצועים של האתר\nמהכיס שלך"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "אזור הזמן של האתר (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "שם האתר שונה בהצלחה"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "אתרים"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "אתרים למעקב"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "גודל"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "רשתות חברתיות"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "מספר טעינות מדיה נכשלו. פעולה זו תסיר את כל המדיה שנכשלה מהפוסט.\nלשמור בכל זאת?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "שם המשתמש אינו זמין."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "שם המשתמש יכול להכיל רק אותיות קטנות (a-z) ומספרים."; @@ -7152,23 +6112,17 @@ "Sort By" = "מיון לפי"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "מיון וסימון"; /* Opens the Github Repository Web */ "Source Code" = "קוד מקור"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "דרום"; /* Label for showing the available disk space quota available for media */ "Space used" = "שטח שנוצל"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "הגברת המהירות של האתר שלך"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "רגיל"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "להתחיל מחדש"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "יש להתחיל לכתוב..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "קו חוצה"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "הגשה לאישור..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "האינדקס של Spotlight נוקה בהצלחה"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "תמיכה"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "החלפת אתר"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "ברירת המחדל לפי המערכת"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "תוכן עניינים"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "הטבלה מציגה את %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "תגית"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "קישור לתגית"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "התגית כבר קיימת"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "איזה סוג אתר ברצונך ליצור?"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "תנאים והתניות"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "טקסט בלבד"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "שליחת קוד במקום"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "תודה שבחרת ב-%1$@ מאת %2$@"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "אפליקציית WordPress ל-Android עברה 'מתיחת פנים' רצינית"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "המעריצים הכי נאמנים בעולם"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "היישום אינו מזהה את תגובת השרת. אנא בדוק את תצורת האתר שלך."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "האישור עבור שרת זה אינו חוקי. ייתכן שאתה מתחבר לשרת שמתחזה ל-"%@", מה שעלול לסכן את המידע הסודי שלך.\n\nלבטוח באישור בכל מקרה?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "הקובץ %1$@ מכיל תבנית של קוד זדוני"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "לא ניתן להוסיף את הווידאו לספריית המדיה."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "ערכת עיצוב הופעלה"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "אירעה בעיה בהתחברות אל %@. יש להתחבר מחדש כדי להמשיך בשיתוף האוטומטי."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "אפליקציה זו זקוקה להרשאה כדי לגשת לספריית המדיה במכשיר שלך ולהוסיף תמונות ו\/או סרטוני וידאו לפוסטים שלך. יש לשנות את הגדרות הפרטיות אם ברצונך לאפשר זאת."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "הדומיין לא זמין"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "התעלמת מהאיום."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "תמונה ממוזערת"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "כותרת"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "חובה להזין כותרת לקטגורייה."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "להוסיף תמונות או סרטוני וידאו לפוסטים."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "כדי להמשיך עם חשבון Google, ראשית יש להתחבר עם הסיסמה שלך ב-WordPress.com. נבקש את הנתון הזה פעם אחת בלבד."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "לצלם תמונות או סרטוני וידאו לשימוש בפוסטים שלך."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "החלפת מקור HTML "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "מבצע החלפה בין סגנונות רשימה ממוספרת"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "סך כל המילים"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "תעבורה"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "לשנות את %s אל"; + +/* No comment provided by engineer. */ +"Transform block…" = "לשנות בלוק..."; + /* No comment provided by engineer. */ "Translate" = "לתרגם"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "שם המשתמש בטוויטר"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "יש להקליד מילת מפתח לרעיונות נוספים"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "אתר ללא שם"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "רשימה לא מסודרת"; @@ -8382,7 +7213,7 @@ "Unread" = "לא נקרא"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "ללא מענה"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "שינויים שלא נשמרו"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "ללא כותרת"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "אנחנו שומרים קובצי יומן עד שבעה ימים אחורה."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "העלאת מדיה"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "העלאה של סמל לאתר"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "להעלות תמונה או לבחור אחת מספריית המדיה שלך בשביל הלוגו של האתר שלך"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "העלאה נכשלה"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "שימוש במיקום נוכחי"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "להשתמש בעורך הבלוקים"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "ניתן להשתמש בקישור זה כדי להזמין את כל חברי הצוות שלך במקביל, במקום לשלוח הזמנות אישיות. לכל אדם שמבקר בכתובת ה-URL הזאת תהיה אפשרות להירשם לארגון שלך, גם אם הוא מקבל את הקישור מאדם אחר ולכן, חשוב לוודא שהקישור נשלח לאנשים מהימנים בלבד."; /* No comment provided by engineer. */ "Use this site" = "שימוש באתר זה"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "יש לאמת את כתובת האימייל שלך - ההוראות נשלחו לכתובת %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "גרסה"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "הגרסה %@ זמינה"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "התצוגה המקדימה של הווידאו לא זמינה"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "כיתוב לווידאו. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "יצוא הווידאו בוטל."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "הגדרות וידאו"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "וידאו, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "צופים"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "ערכת עיצוב פגיעה: %1$@ (גרסה %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "לוח בקרה"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "ברוכים הבאים ל-Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "ברוך בואך לבונה האתרים הפופולרי ביותר בעולם."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "הקוד לאימות דו-שלבי אינו תקף. יש לבדוק שוב את הקוד ולנסות שנית!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "וידג'טים"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "לא תוצג בפומבי."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "העורך העוצמתי הזה מאפשר לפרסם מכל מקום."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "הגדרות האפליקציה של WordPress"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "כתוב תגובה..."; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "לכתוב קוד..."; /* Title for the writing section in site settings screen */ "Writing" = "כתיבה"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "עם הכניסה לאתר בדפדפן Safari, כתובת האתר שלך תופיע בסרגל העליון של המסך."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "האתר שלך נוצר!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "התחלת להשתמש בעורך הבלוקים עבור פוסטים חדשים - מעולה! כדי לחזור לעורך הקלאסי, יש לעבור אל 'האתר שלי' > 'הגדרות אתר'."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[תגובה]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "שעה אחת"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "אודיו"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "מאת %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "חשבונות מקושרים"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "חלוקת המסמך לרמות"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "יש להקיש פעמיים כדי לשנות את היחידה"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "לדוגמה 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "לדוגמה 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "עוקב"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "תמונה"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "תמונה ⁦%1$d⁩ מתוך ⁦%2$d⁩ בגלריה"; /* Text for related post cell preview */ "in \"Apps\"" = "תחת 'אפליקציות'"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "מאוחר יותר היום"; -/* No comment provided by engineer. */ -"link" = "קישור"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "מתוך"; -/* No comment provided by engineer. */ -"ordered list" = "רשימה ממוספרת"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "אחר"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "סיסמה"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "מספר טלפון"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "‎פוסט"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "סיכום"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "פריטים אלה יימחקו:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "היום"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "WordPress, אתרים, אתר, בלוגים, בלוג"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "כעת מתבצע תהליך ההגדרה של הדומיין החדש שלך, %@. האתר שלך עושה סלטות מרוב התרגשות!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "‎© %ld אוטומטיק בע\"מ"; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• דומיינים"; diff --git a/WordPress/Resources/hr.lproj/Localizable.strings b/WordPress/Resources/hr.lproj/Localizable.strings index d56bca2dea13..d45f7463f24f 100644 --- a/WordPress/Resources/hr.lproj/Localizable.strings +++ b/WordPress/Resources/hr.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Info"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Poravnanje"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Podebljano"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Nedostaje naslov kategorije."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakt"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Opis"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalji"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Display Name"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Istok"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Uredi Post"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "ažuriraj žarišno mjesto"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Prazan URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "First Name"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Forward"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Free"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Give Up"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Pomoć"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Odmah"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Ukošeno"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Pejzaž"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Veliko"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Saznaj Više"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link To"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Učitavam..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Lokalno"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Zapisnici"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Izgubili ste lozinku?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Glavni izbornik"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Mjeseci"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Trebate Pomoć?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Najnovije"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Sljedeće"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Ne"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nema konekcije"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No recent posts"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Matična Kategorija"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; -/* No comment provided by engineer. */ -"Portrait" = "Portret"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Postovi"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Javno"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Veličina"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Sorry, that username is unavailable."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Source Code"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Jug"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Podrška"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Text Only"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Naslov"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Naslov za kategoriju je obavezan."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Neimenovan"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Verzija"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "slika"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "later today"; -/* No comment provided by engineer. */ -"link" = "poveznica"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "poredana lista"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "danas"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/hu.lproj/Localizable.strings b/WordPress/Resources/hu.lproj/Localizable.strings index 5a151c2ce917..4cc101d4f9e2 100644 --- a/WordPress/Resources/hu.lproj/Localizable.strings +++ b/WordPress/Resources/hu.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Névjegy"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategória cím hiányzik."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com oldal létrehozása"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Description"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Display Name"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Kelet"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Bejegyzés szerkesztése"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Üres cím"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "A kiemelt képet nem lehet betölteni"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "First Name"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Forward"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Free"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Give Up"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Segítség"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Billentyűzet elrejtése"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Azonnal"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Dőlt"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Fekvő"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Nagy"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Több infó"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link To"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Betöltés..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Helyi"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Naplózás"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Elfelejtett jelszó"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Months"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Segítségre van szükség?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Következő"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Nem"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nincs kapcsolat"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nincsenek hozzászólások"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No recent posts"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Rendezett lista"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Szülő kategória"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; -/* No comment provided by engineer. */ -"Portrait" = "Portré"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Bejegyzés formátum"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Bejegyzések"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Nyilvános"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Honlap nyelve"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Webhelyek"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Size"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Sajnálom, a felhasználónév nem érhető el."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sajnos, a felhasználónevek csak kis betűke és számokat tartalmazhatnak."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Source Code"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Dél"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Segítség"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Text Only"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Cím"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Kategória cím megadása kötelező."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Sikertelen feltöltés"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Writing"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/azoldalamcíme (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "kép"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "later today"; -/* No comment provided by engineer. */ -"link" = "hivatkozás"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "rendezett lista"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "today"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/id.lproj/Localizable.strings b/WordPress/Resources/id.lproj/Localizable.strings index d42dad384322..6ea448208912 100644 --- a/WordPress/Resources/id.lproj/Localizable.strings +++ b/WordPress/Resources/id.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d pos yang belum dilihat"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s diubah menjadi %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s adalah %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li kata, %2$li karakter"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s pilihan blok"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s blok. Kosong"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s blok. Blok ini memiliki konten yang tidak valid"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' tidak sepenuhnya didukung"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Baris alamat %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 pos konsep berhasil diunggah"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 jam"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tombol \"lagi\" berisi menu buka bawah yang menampilkan tombol berbagi"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Gambar yang ditampilkan sudah siap. Ketuk untuk mengubahnya."; /* Title for a threat */ "A file contains a malicious code pattern" = "Sebuah file mengandung pola kode berbahaya"; -/* No comment provided by engineer. */ -"A link to a category." = "Tautan ke kategori."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Tautan ke halaman."; - -/* No comment provided by engineer. */ -"A link to a post." = "Tautan ke pos."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Tautan ke tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Daftar situs di akun ini."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Serangkaian langkah untuk membantu menumbuhkan pengunjung situs Anda."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Tag dengan nama '%@' sudah ada."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ALAMAT"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Perihal"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Tambahkan Kartu Statistik Baru"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Tambahkan ke Awal"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Tambahkan Topik"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Tambahkan URL CSS kustom di sini untuk dimuat di Pembaca. Jika Anda menjalankan Calypso secara lokal, URL bisa seperti: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Tambahkan situs hosting sendiri"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Tambahkan teks alt"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Tambahkan topik yang mana saja"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Tambahkan gambar, atau avatar, untuk mewakili akun baru ini."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Tambahkan blok paragraf"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Tambahkan situs hosting sendiri"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Tambahkan tag"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Tambahkan link email ini"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Tambahkan link telepon ini"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Menambahkan fitur situs"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Album"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Perataan"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Terjadi error."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Terjadi error yang tidak diketahui. Silakan coba lagi."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Menyetujui Komentar."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Anda yakin ingin membatalkan dan membuang perubahan?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Anda yakin ingin memperbarui?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Seni"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Per 1 Agustus 2018, Facebook tak lagi mengizinkan berbagi pos langsung ke Profil Facebook. Sambungan ke Halaman Facebook tidak berubah."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Melampirkan File sebagai Tautan"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Pemutar Audio"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Keterangan audio. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blok disalin"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blok dipotong"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blok diduplikasi"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Penyunting blok diaktifkan"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Memblokir upaya login berbahaya"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blok ditempelkan"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blok dihapus"; + +/* No comment provided by engineer. */ +"Block settings" = "Pengaturan blok"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokir situs ini"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Pemirsa Blog"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Tebal"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Pisahkan utas komentar menjadi beberapa halaman."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Jelajahi semua tema kami untuk menemukan yang paling cocok."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Gaya Tombol"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "Oleh"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Menghitung..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Keterangan"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Hati-hati!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Tautan Kategori"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Belum ada judul kategori."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Kesalahan sertifikat"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Ganti Kata Sandi"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Ubah posisi blok"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Perubahan gagal"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Mengubah nama pengguna"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Kesalahan Pemeriksaan Pembelian"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Pilih domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Pilih berkas"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Hapus semua log aktivitas lama?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Hapus pencarian"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Tutup komentar"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Tutup layar Me"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kode"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Diciutkan, %i tugas yang telah selesai, alihkan tombol ke bentangkan daftar tugas yang telah selesai"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Latar belakang berwarna"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombinasikan foto, video, dan teks untuk membuat pos cerita, yang menarik dan memancing pengunjung Anda untuk mengetuk, yang pasti disukai pengunjung Anda."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Koneksi"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Hubungi"; - /* Support email label. */ "Contact Email" = "Hubungi via Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Hubungi dukungan"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Hubungi kami di %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Struktur Konten\nBlok: %1$li, Kata: %2$li, Karakter: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Melanjutkan dengan Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Konversi ke blok"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Memasak"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Blok disalin"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Salin Tautan ke Komentar"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Salin blok"; /* No comment provided by engineer. */ "Copy file URL" = "Salin URL file"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Tidak dapat memeriksa pembelian situs."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Tidak dapat mengikuti situs"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Buat Pos Cerita"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Buat situs WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Buat Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Buat situs baru"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Buat situs baru untuk bisnis, majalah, atau blog personal Anda; atau hubungkan akun WordPress yang sudah ada."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Buat pos atau halaman"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Buat pos, halaman, atau cerita"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Buat cadangan yang dapat diunduh"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Sedang memulihkan: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Pesan kustom..."; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Kustomisasi pengaturan situs Anda, seperti Suka, Komentar, Mengikuti, dan lainnya."; +/* No comment provided by engineer. */ +"Cut block" = "Potong blok"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Gelap"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 Desember 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL Asal"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Default untuk Pos Baru"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Kesalahan Hapus Situs"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Hapus menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Hapus tag ini"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Deskripsi"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Desain"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Rincian"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Nama Tampilan"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Menampilkan statistik situs semua waktu di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Tampilkan statistik situs Anda untuk hari ini di sini. Konfigurasikan di aplikasi WordPress di bagian statistik situs Anda."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dokumen: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Jangan khawatir"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Ketuk dua kali dan tahan untuk memindahkan item menu ini ke atas atau ke bawah"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Ketuk dua kali untuk membuka Lembar Tindakan dengan opsi yang tersedia"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Ketuk dua kali untuk membuka Lembar Bawah dengan opsi yang tersedia"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Ketuk dua kali untuk mengulangi perubahan terakhir"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Unduh cadangan"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Unduh file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Unduhan"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Konsep"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplikat"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplikasi blok"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Timur"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit blok %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Daftar Blokir Kata"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Sunting Postingan"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Sunting file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Sunting tombol berbagi"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Sunting pos terlebih dahulu"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit menggunakan editor web"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email terkirim!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Kosong"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL Kosong"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Aktifkan"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Tanggal Selesai"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Masuk ke Layar Penuh"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Masukkan kata sandi untuk melindungi pos ini"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Masukkan kata yang berbeda dengan yang di atas dan kami akan mencari alamat yang cocok dengan kata tersebut."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Terjadi error saat memperbarui pengaturan percepatan situs"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Peristiwa"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Pelajari paket"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Ekspor Konten"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Gambar Unggulan tidak termuat"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Mengambil Tema..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Jenis file"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Isi dengan pengelola kata sandi"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Nama Depan"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Perbaiki Semua"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Diperbaiki"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Memperbaiki Ancaman"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Sepakbola"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Demi kenyamanan Anda, kami telah mengisi informasi kontak WordPress.com Anda terlebih dahulu. Harap tinjau untuk memastikan informasi yang ingin Anda gunakan untuk domain ini sudah benar."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Teruskan"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Gratis"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Keterangan galeri. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Menyerah"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Berikan nama situs yang mencerminkan karakteristik dan topik situs Anda. Kesan pertama sangat berarti!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Konten HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Penajukan 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Bantuan"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Ikon bantuan"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Berikut ini performa pos sejauh ini."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Sembunyikan keyboard"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Tahan untuk Moderasi"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Horeee!\nHampir selesai"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Bagaimana cara Jetpack memperbaikinya?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Jika Anda melanjutkan dengan Apple atau Google dan belum memiliki akun WordPress.com, Anda akan membuat akun dan menyetujui _Ketentuan Layanan_ kami."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Jika Anda menghapus %1$@, pengguna itu tak lagi bisa mengakses situs ini, tetapi segala konten yang dibuat oleh %2$@ tetap ada di situs."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Ukuran Gambar"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Keterangan gambar. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Judul gambar"; - -/* No comment provided by engineer. */ -"Image width" = "Lebar gambar"; +"Image title" = "Judul gambar"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Gambar, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Segera"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Dalam beberapa kata, jelaskan tentang apa situs ini."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Nonaktif"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nama pengguna atau kata sandi salah. Silakan coba masukkan rincian masuk Anda kembali."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "File inti yang terinfeksi"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Sisipkan Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Sisipkan media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Penyisipan dipilih"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Menginstal plugin pertama pada situs Anda dapat memerlukan waktu hingga 1 menit. Selama penginstalan, Anda tidak dapat melakukan perubahan pada situs."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Memperkenalkan Pos Cerita"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Miring"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Ketahui info terbaru mengenai performa situs Anda."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Pengguna Dikenali"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Pemandangan"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Bahasa"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Besar"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Ringkasan Pos Terbaru"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Pelajari Lebih Lanjut"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Pelajari lebih lanjut tentang format tanggal dan waktu."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Pelajari lebih lanjut tentang peran"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Ikon Lawas"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Mari Kami Bantu"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Beri tahu saya jika sudah selesai!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Kosong."; - /* Title for the app appearance setting for light mode */ "Light" = "Terang"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Tautkan Ke"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Tautkan ke konten yang sudah ada"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Tautan dalam komentar"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Buat daftar gaya"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Memuat"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Memuat..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Login dengan nama pengguna dan kata sandi WordPress.com Anda."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Logout dari WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Permintaan Masuk Kedaluwarsa"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Log"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Lupa sandi Anda?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigasi Utama"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Cocokkan akun menggunakan email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Ukuran Unggahan Gambar Maksimal"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Ukuran Unggahan Video Maksimal"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Pratinjau media gagal."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media diunggah (%ld file)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Pantau masa aktif situs Anda"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Bulan"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Lainnya di WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Waktu yang Paling Disukai"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Geser bawah"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Pindahkan item menu"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Musik"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Profil Saya"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nama"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigasikan untuk menyesuaikan gradasi"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Butuh Bantuan?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Daftar Blokir Kata Baru"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Ikon Aplikasi Kustom Baru"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Pos baru"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Terbaru"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Lanjut"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Langkah Berikutnya"; /* Accessibility label for the next notification button */ "Next notification" = "Pemberitahuan selanjutnya"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Periode selanjutnya"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Tidak"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Tidak ada Koneksi"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Tak ada Item"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Belum ada komentar"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Tidak ada pos."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Tidak ada pos terbaru"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Tidak melihat e-mailnya? Periksa folder Spam atau Sampah."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Catatan: Tata letak kolom dapat bervariasi antara tema dan ukuran layar"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Tidak ditemukan apa-apa."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Nomor"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Daftar Bernomor"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Tombol One Password"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Hanya lihat statistik yang paling relevan. Tambahkan wawasan untuk menyesuaikan dengan kebutuhan Anda."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Maaf!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Buka Menu Tindakan Blokir"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Buka Pengaturan Perangkat"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Buka WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Buka pemilih media penuh"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Atau login dengan _memasukkan alamat situs Anda_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Daftar Berurutan"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisasi"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Situs Lainnya"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Ditumpuk"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEPON"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Halaman"; -/* No comment provided by engineer. */ -"Page Link" = "Tautan Halaman"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Halaman Dipulihkan ke Draf"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Penentuan halaman"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraf"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Kategori Induk"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Tempel URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Tempel blok setelah"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Tempel tanpa Format"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pilih tata letak halaman beranda favorit Anda. Anda dapat menyunting dan menyesuaikannya nanti."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Paket"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Paket"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Putar Video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Silakan tambahkan konten sebelum menerbitkan."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Bahasa populer"; -/* No comment provided by engineer. */ -"Portrait" = "Potret"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Postingan"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Kategori Pos"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format Tulisan"; -/* No comment provided by engineer. */ -"Post Link" = "Tautan Pos"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Pos Dipulihkan ke Draf"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Diposting oleh %1$@, dari %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Dipos di %1$@, di %2$@, oleh %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Aktivitas Posting"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Tulisan-tulisan"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Halaman Pos"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Didukung oleh Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Pratinjau situs baru Anda untuk mengetahui tampilan situs yang akan dilihat oleh pengunjung."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Pemberitahuan sebelumnya"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Periode sebelumnya"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Situs Utama"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Proyek"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publik"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Mempublikasikan..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Pembelian"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Pemberitahuan push telah dinonaktifkan di pengaturan iOS Aktifkan kembali “Izinkan Pemberitahuan”."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Mulai Cepat"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Beri nilai kami di App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Baca di"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Dihubungkan kembali"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Perujuk"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Pos Terkait menampilkan konten yang relevan dari situs Anda di bawah pos Anda"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Buang pos ini dari pos saya yang disimpan."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Hapus video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ubah Ukuran & Potong"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolusi"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Pulihkan Situs"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Pulihkan hingga ke titik ini"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Blok pakai ulang tidak dapat disunting di WordPress untuk iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Kembalikan Perubahan Tertunda"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Peran"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Terkirim"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Pilih gaya paragraf"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Pilih %@ untuk menambahkan akun media sosial Anda"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Mengirim pemberitahuan push"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Sajikan gambar dari server kami"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Atur sebagai Halaman Pos"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Siapkan"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Tampilkan Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Tampilkan kata sandi"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Tampilkan konten pos"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Tampilkan bagian"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Menampilkan hanya pos saya"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Menampilkan statistik untuk:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Menampilkan pos situs."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Mendaftar"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Bahasa Situs"; -/* No comment provided by engineer. */ -"Site Logo" = "Logo Situs"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Atur zona waktu (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Judul situs berhasil diubah"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Situs"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Rekomendasi situs"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Ukuran"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Sosial"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Gagal mengunggah beberapa media. Tindakan ini akan menghapus semua media yang gagal dari pos tersebut.\nTetap simpan?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Maaf, nama pengguna itu tidak tersedia."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Maaf, nama pengguna hanya dapat mengandung huruf kecil (a-z) dan angka saja."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Kode Sumber"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Selatan"; /* Label for showing the available disk space quota available for media */ "Space used" = "Ruang terpakai"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Tingkatkan kecepatan situs Anda"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standar"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Mulai"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Mulai menulis…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Coretan"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Mengirim untuk Ditinjau..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Berhasil menghapus indeks spotlight"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Dukungan"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Pindah Situs"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Default sistem"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Daftar Isi"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabel menunjukkan %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tautan Tag"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag sudah ada"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Beri tahu kami situs macam apa yang ingin Anda buat"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Syarat dan Ketentuan"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Hanya Teks"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Kirimi saya kode saja"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Terima kasih telah memilih %1$@ dari %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Sertifikat untuk server ini tidak sah. Anda mungkin tersambung dengan server yang menyamar sebagai “%@” yang bisa membuat informasi rahasia Anda beresiko,\n\nApakah Anda ingin mempercayai sertifikat itu?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "File %1$@ berisi pola kode berbahaya"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video tidak bisa ditambahkan ke Pustaka Media."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema Diaktifkan"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Ada masalah menghubungkan dengan %@. Hubungkan kembali untuk terus menerbitkan."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Aplikasi ini memerlukan izin untuk mengakses pustaka perangkat Anda untuk menambahkan foto dan\/atau video ke pos Anda. Harap ubah pengaturan privasi jika Anda ingin mengizinkan ini."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Domain ini tidak tersedia"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Ancaman diabaikan."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatur"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Judul"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Judul untuk kategori wajib diisi."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Untuk menambahkan foto atau video ke pos Anda."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Untuk melanjutkan dengan akun Google ini, harap login terlebih dahulu dengan kata sandi WordPress.com Anda. Hal ini hanya akan ditanyakan sekali."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Untuk mengambil foto atau video agar dapat digunakan di pos Anda."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Alihkan Sumber HTML "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Mengaktifkan dan menonaktifkan gaya daftar yang diurutkan"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Kata"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Lalu Lintas"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Ubah %s menjadi"; + +/* No comment provided by engineer. */ +"Transform block…" = "Mengubah blok..."; + /* No comment provided by engineer. */ "Translate" = "Terjemahan"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nama Pengguna Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Ketikkan kata kunci untuk mendapatkan lebih banyak ide"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Situs Tanpa Nama"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Daftar Tidak Berurut"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Tak Berjudul"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Log hingga tujuh hari disimpan."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Unggah Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Unggah ikon situs"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Unggah gambar, atau pilih gambar dari penyimpanan media, untuk logo situs Anda"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Unggah gagal"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Gunakan Lokasi Saat Ini"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Gunakan penyunting blok"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Gunakan tautan ini untuk mendaftarkan anggota tim Anda tanpa harus mengundang mereka satu per satu. Siapa pun yang mengunjungi URL berikut akan dapat mendaftar ke organisasi Anda meskipun mereka menerima tautan dari orang lain, jadi pastikan Anda membagikannya dengan orang tepercaya."; /* No comment provided by engineer. */ "Use this site" = "Gunakan situs ini"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifikasi alamat email Anda - instruksi dikirim ke %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versi"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Versi %@ tersedia"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Pratinjau Video Tidak Tersedia"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Keterangan video. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Pemirsa"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema yang Rentan %1$@ (versi %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Admin WP"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Selamat Datang di Pembaca"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Selamat datang di pembuat situs web terpopuler di dunia."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ups, kode verifikasi dua faktor tersebut tidak valid. Periksa kembali kode Anda kemudian coba lagi!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widget"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Tidak akan ditampilkan secara publik."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Dengan editor yang hebat ini, Anda dapat langsung menerbitkan pos."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Pengaturan Aplikasi WordPress"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Tulisan"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Situs Anda telah dibuat!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Saat ini Anda menggunakan penyunting blok untuk pos baru — hebat! Jika Anda ingin mengubah ke penyunting klasik, buka ‘Situs Saya’ > ‘Pengaturan Situs’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[KOMENTAR]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "satu jam"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "oleh %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "sambungan"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "outline dokumen"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "ketuk dua kali untuk mengubah unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "misalnya 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "misalnya 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "contoh.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "pengikut"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/alamat-situs-saya (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "gambar"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "di \"Aplikasi\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "belakangan hari ini"; -/* No comment provided by engineer. */ -"link" = "taut"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "dari"; -/* No comment provided by engineer. */ -"ordered list" = "daftar berurut"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "lainnya"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "Kata sandi"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "nomor telepon"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "pos"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "ringkasan"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "item berikut akan dihapus:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "hari ini"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, situs, situs, blog, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "domain baru Anda %@ sedang disiapkan. Situs Anda melakukan perubahan dalam keseruan!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domain"; diff --git a/WordPress/Resources/is.lproj/Localizable.strings b/WordPress/Resources/is.lproj/Localizable.strings index 3161f4a3b95a..c41cf2b9d991 100644 --- a/WordPress/Resources/is.lproj/Localizable.strings +++ b/WordPress/Resources/is.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "\"meira\" hnappur inniheldur fellivalmynd sem birtir deilihnappa"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Um"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Bæta við alt texta"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Bæta við sjálf-hýstum vef"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albúm"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Jöfnun"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Óþekkt villa kom upp. Vinsamlegast reynið aftur."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Ertu viss um að þú viljir hætta við og glata öllum breytingum?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Lesandi bloggs"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Feitletra"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Skipta umræðuþráðum niður á síður."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Hnappastíll"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Reikna..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Myndavél"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Myndatexti"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Varlega!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Flokkur"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Nafn flokks vantar."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Skírteinisvilla"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Breyting mistókst"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Villa kom upp við að athuga kaup"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Loka fyrir athuagsemdir"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Tengingar"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Hafa samband"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Hafa samband við notendaþjónustu"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Hafðu samband við okkur í %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Gat ekki skoðað veftengd kaup."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Stofna WordPress.com vef"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Breyttu stillingum vefsins þíns fyrir að líka við, athugasemdir, fylgjendur og fleira."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Sjálfgildi fyrir nýjar færslur"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Villa við að eyða vef"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Lýsing"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Upplýsingar"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Nafn til að sýna"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Austur"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Breyta færslu"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Breyta deilihnöppum"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Tölvupóstur sendur!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Tómt"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Auð vefslóð"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Flytja út efni"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Einkennismynd hlóðst ekki inn"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Sæki þemu..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Skráartegund"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Eiginnafn"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Áfram"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Ókeypis"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Gefast upp"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML efni"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Haus 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Haus 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Hjálp"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Setja á bið eftir samþykki"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Stærð myndar"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Titill myndar"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Titill myndar"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Mynd, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Strax"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Í fáeinum orðum, segðu hvað þessi vefur gerir eða fjallar um."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Ógilt notandanafn eða lykilorð. Vinsamlegast sláðu inn innskráningarupplýsingar þínar aftur."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Setja inn skrá"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Setja inn skrá"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Skáletra"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Þekktir notendur"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Fyrirsögn"; -/* No comment provided by engineer. */ -"Landscape" = "Landscape"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Tungumál"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Stór"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Samantekt um síðustu færslu"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Leyfðu okkur að aðstoða"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Tengja við"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Tenglar í athugasemdum"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Hleð..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Staðvært"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Innskráningarbeiðni rann út"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Annálar"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Tapað lykilorð?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Aðalvalmynd"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Hámarksstærð myndar til upphleðslu"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Ekki tókst að forskoða skrá."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Mánuðir"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Minn prófíll"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Vantar þig aðstoð?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Nýjustu"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Næsta"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Næsta tilknning"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Nei"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Engin tenging"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Engin atriði"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Engar athugasemdir enn"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Engar nýlegar færslur"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Ekkert fannst"; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Númeraður listi"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Úbbs!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Opna stillingar tækis"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Opna WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Raðaður listi"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Aðrir vefir"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Síða"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Síða endurvakin sem drög"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Síðuskipting"; -/* No comment provided by engineer. */ -"Paragraph" = "Efnisgrein"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Yfirflokkur"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Áskriftarleiðir"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Vinsæl tungumál"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Færsla"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Færsluflokkar"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Færslusnið"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Færsla endurvakin sem drög"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Færsluvirkni"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Færslur"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Fyrri tilkynning"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Aðalvefur"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Verkefni"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Birt"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Birti..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Kaup"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Gefðu okkur einkunn í App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Endurtengt"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Tengdar færslur birta viðeigandi efni af vefnum þínum fyrir neðan færslurna þínar"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Minnka & skera til"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Afturkalla yfirvofandi breytingu"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Hlutverk"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS sent"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Veldu stíl efnisgreinar"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Birta haus"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Tungumál síðu"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Þínir vefir"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Stærð"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Einhverjar skráarupphleðslur mistókust. Þessi aðgerð fjarlægir allar gallaðar skrár úr færslunni.\nVista samt sem áður?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Því miður, þetta notandanafn er ekki í boði."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Því miður, notendanöfn geta einungis innihaldið lágstafi (a-z) og tölustfai."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Kóði"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Suður"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Staðlað"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Byrja upp á nýtt"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Útstrika"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Sendi til yfirlestrar..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Aðstoð"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Skipta um vef"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Efnisorð"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Einungis texti"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Takk fyrir að velja %1$@ frá %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Skírteinið fyrir þennan netþjón er ógilt. Þú gætir verið að tengjast við netþjón sem er að þykjast vera “%@” og gæti það ógnað upplýsingaöryggi þínu.\n\nViltu treysta skírteininu engu að síður?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Þema virkjað"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Það er vandamál við að tengjast %@. Tengdu aftur til þess að halda birtingu áfram."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Þetta forrit þarf heimild til þess að komast í skrárnar þínar og setja inn myndir\/myndbönd í færslurnar þínar. Vinsamlegast breyttu persónuverndarstillingum ef þú vilt leyfa þetta."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Þumla"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Titill"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Flokkur verður að hafa nafn."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Til þess að bæta við myndum eða myndböndum í færslurnar þínar."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Til þess að taka myndir eða myndbönd til notkunar í færslunum þínum."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Sýna HTML kóða"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter notandanafn"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Vefur án nafns"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Óraðaður listi"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Atburðaskrá er geymd í allt að sjö daga."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Halaðu upp skrá"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Nota núverandi staðsetningu"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Nota þennan vef"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Útgáfa"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Lesendur"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP kerfisstjóri"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Velkominn í Lesarann"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Verður ekki birtur öllum."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Ritun"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[ATHUGASEMD]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "klukkutími"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "fylgjandi"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (vefslóð)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "image"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "í \"forritum\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "síðar í dag"; -/* No comment provided by engineer. */ -"link" = "tengill"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "eftirfarandi atriðum verður eytt:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "í dag"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Lén"; diff --git a/WordPress/Resources/it.lproj/Localizable.strings b/WordPress/Resources/it.lproj/Localizable.strings index abb1f7f28ae4..933fb4b1e336 100644 --- a/WordPress/Resources/it.lproj/Localizable.strings +++ b/WordPress/Resources/it.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-30 16:02:50+0000 */ +/* Translation-Revision-Date: 2021-05-12 10:54:09+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: it */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articoli non letti"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s è %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li parole, %2$li caratteri"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s opzioni blocco"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Blocco %s. Vuota"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Blocco %s. Questo blocco ha contenuti non validi"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' non è pienamente supportato"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Riga indirizzo %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 articolo bozza caricato"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potenziale minaccia trovata"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 ora"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un pulsante \"Altro\" contiene un menu a tendina che mostra i pulsanti di condivisione"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "È impostata un'immagine in evidenza. Tocca per modificarla."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un file contiene un modello di codice dannoso"; -/* No comment provided by engineer. */ -"A link to a category." = "Un link a una categoria."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Un link a una pagina."; - -/* No comment provided by engineer. */ -"A link to a post." = "Un link a un articolo."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Un link a un tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Un elenco dei siti su questo account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Una serie di passaggi per supportare l'aumento del pubblico del tuo sito."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Un tag con il nome '%@' esiste già."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "INDIRIZZO"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Info"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Aggiungi nuova scheda statistiche"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Aggiungi all'inizio"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Inserisci un argomento"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Aggiungi qui l'URL del CSS personalizzato per essere caricato in Reader. Se stai utilizzando Calypso localmente, potrebbe essere qualcosa come: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Aggiungi un sito ospitato personalmente"; @@ -547,20 +449,11 @@ /* No comment provided by engineer. */ "Add alt text" = "Aggiungi un testo alternativo"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Aggiungi qualsiasi argomento"; /* No comment provided by engineer. */ -"Add caption" = "Add caption"; - -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; +"Add caption" = "Aggiungi didascalia"; /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Aggiungi un'immagine, o un avatar, per rappresentare questo nuovo account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Aggiungi blocco Paragrafo"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Aggiungi un sito su host privato"; @@ -603,16 +493,7 @@ "Add tags" = "Aggiungi tag"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "Aggiungi testo…"; /* No comment provided by engineer. */ "Add this email link" = "Aggiungi questo link dell'e-mail"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Aggiungi questo link del telefono"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Aggiunta delle funzionalità del sito"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Album"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Allineamento"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Si è verificato un errore."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Si è verificato un errore sconosciuto. Riprova."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approva il commento."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Desideri annullare e scartare le modifiche?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Desideri aggiornare?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "A partire dal 1 agosto 2018, Facebook non consente più la condivisione diretta degli articoli sui profili di Facebook. Le connessioni alle pagine di Facebook restano invariate."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Allega file come link"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "Pagina allegato"; /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Didascalia audio. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "Didascalia audio. Vuota"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "Impostazioni audio"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Audio, %@"; @@ -967,7 +812,7 @@ "Authors" = "Autori"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "Automatico"; /* Describes a status of a plugin */ "Auto-managed" = "Auto-gestito"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "Condividi automaticamente i nuovi articoli sui tuoi account sui social media."; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "Riproduzione automatica"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Aggiornamenti automatici"; @@ -1078,17 +923,35 @@ "Block Quote" = "Blocco di citazione"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "Impossibile impostare il blocco all'interno dello stesso."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blocco copiato"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blocco tagliato"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blocco duplicato"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor a blocchi abilitato"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "Il blocco è stato eliminato o non è disponibile."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blocca i tentativi di accesso dannosi"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blocco incollato"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blocco rimosso"; + +/* No comment provided by engineer. */ +"Block settings" = "Impostazioni del blocco"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blocca questo sito"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Visitatore del blog"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Grassetto"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Suddividi i commenti su più pagine."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Sfoglia tutti i nostri temi per trovare quello perfetto per te."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "Browser predefinito"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Protezione dagli attacchi di forza bruta"; @@ -1159,10 +1007,7 @@ "Button Style" = "Stile del pulsante"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "Gruppo pulsante"; /* Label for the post author in the post detail. */ "By " = "Di"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calcolo in corso..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Fotocamera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Didascalia"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Stai attento!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; -/* No comment provided by engineer. */ -"Category Link" = "Link categoria"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Manca il titolo della categoria"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Errore di certificato"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Cambia la password"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "Modifica la posizione del blocco"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Modifica non riuscita"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "Modifica il livello del titolo"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Cambia il tipo di dispositivo usato per la visualizzazione in anteprima"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Modifica del nome utente"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Controlla gli errori negli acquisti"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Scegli il dominio"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Scegli il file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Cancellare tutti i log delle vecchie attività?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Commenti chiusi"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Chiudi la schermata Io"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Codice"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Compresso, %i attività completate, la disattivazione espande l'elenco di queste attività"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Sfondi colorati"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combina foto, video e testo per creare articoli della storia coinvolgenti e che si possono toccare che i visitatori ameranno."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connessioni"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contatto"; - /* Support email label. */ "Contact Email" = "Email di contatto"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contatta il supporto"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contattaci all'indirizzo %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Struttura del contenuto\nBlocchi: %1$li, parole: %2$li, caratteri%3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continua con Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Converti in blocchi"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Blocco copiato"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copia il link per commentare"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copia il blocco"; /* No comment provided by engineer. */ "Copy file URL" = "Copia URL del file"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Non è stato possibile controllare se il sito ha componenti acquistati."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Non è stato possibile seguire il sito"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Crea articolo della storia"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Crea un sito WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Crea una tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Crea un nuovo sito"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Crea un nuovo sito per la tua azienda, rivista o blog personale; in alternativa, connetti un sito WordPress esistente."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Crea un articolo o una pagina"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Crea un articolo, una pagina o una storia"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Crea backup scaricabile"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Ripristino in corso: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Messaggio personalizzato…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personalizza le impostazioni del tuo sito per i Like, commenti, follower e molto altro."; +/* No comment provided by engineer. */ +"Cut block" = "Taglia il blocco"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Scuro"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 dicembre 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Predefinito"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL predefinito"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Valori predefiniti per i nuovi articoli"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Errore relativo all'eliminazione del sito"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Cancella menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Elimina questo tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Descrizione"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detagli"; @@ -2355,94 +2089,7 @@ "Display Name" = "Nome da visualizare"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "Mostra la data dell'articolo"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Visualizza tutte le tue statistiche del sito qui. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Visualizza qui le statistiche del tuo sito per oggi. Effettua la configurazione nell'app WordPress nelle statistiche del sito."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Documento: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Non preoccuparti di nulla"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Tocca due volte e tieni premuto per spostare questa voce di menu in alto o in basso"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Tocca due volte per aprire il foglio delle azioni per modificare, sostituire o cancellare l'immagine"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Tocca due volte per aprire il foglio delle azioni con le opzioni disponibili"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Tocca due volte per aprire il foglio nella parte inferiore per modificare, sostituire o cancellare l'immagine"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Tocca due volte per aprire il foglio in basso con le opzioni disponibili"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Tocca due volte per ripetere l'ultima modifica"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Scarica il backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Scarica il file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Download"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Bozze"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplica"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplica il blocco"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Est"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Modifica blocco %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Modifica elenco delle parole da bloccare"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Modifica articolo"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Modifica file"; /* No comment provided by engineer. */ "Edit focal point" = "Modifica il punto focale"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Modifica i pulsanti di condivisione"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Per prima cosa, modifica l'articolo"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Modifica utilizzando l'editor web"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email inviata!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vuota"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vuota"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Abilita"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Data di fine"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Attiva modalità schermo intero"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "Inserisci l'URL da incorporare qui…"; /* Enter a custom value */ "Enter a custom value" = "Inserisci un valore personalizzato"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Inserisci una password per proteggere questo articolo"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Inserire parole diverse nel campo in alto e cercheremo un indirizzo che corrisponda."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Inserisci le credenziali del server per abilitare i ripristini del sito con un clic dai backup."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Inserisci le tue credenziali del server per risolvere la minaccia."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Inserisci le tue credenziali del server per risolvere le minacce."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Errore durante l'aggiornamento delle impostazioni del sito relative alla velocità"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Evento"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Esplora i piani"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Esporta contenuti"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Immagine in evidenza non caricata"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Recupero temi..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo di file"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Inserisci il programma di gestione delle password"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Nome"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Correggi tutto"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Risolta"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Risoluzione delle minacce"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Per agevolarti, abbiamo precompilato le tue informazioni di contatto di WordPress.com. Rileggi per verificare che le informazioni che desideri utilizzare per questo dominio siano corrette."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Inoltra"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Gratuito"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Didascalia della galleria. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "Configura il sito ed eseguilo"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "Lasciati ispirare"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Recupero informazioni account"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Rinuncia"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dai al tuo sito un nome che rifletta la tua personalità e l'argomento. La prima impressione conta."; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Contenuto HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Intestazione 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Intestazione 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "Titolo %d"; /* H1 Aztec Style */ "Heading 1" = "Titolo 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Titolo 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Aiuto"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Icona della guida"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Ecco le prestazioni del tuo articolo a oggi."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Nascondi la tastiera"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Mantieni in moderazione"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nQuasi fatto"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Come ha risolto il problema Jetpack?"; @@ -3709,7 +3080,7 @@ "I Like It" = "Mi piace"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Sono ispirato dal lavoro del fotografo Cameron Karsten. Proverò queste tecniche durante il mio prossimo"; /* Title of a button style */ "Icon & Text" = "Icona e testo"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Se continui con Apple o Google e non hai già un account WordPress.com, crei un account e accetti i nostri _Termini di servizio_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Se rimuovi %1$@, tale utente non potrà più accedere a questo sito, ma qualsiasi contenuto creato da %2$@ rimarrà sul sito."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Dimensione immagine"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Didascalia immagine. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "Impostazioni immagini"; /* Hint for image title on image settings. */ -"Image title" = "Titolo immagine"; - -/* No comment provided by engineer. */ -"Image width" = "Larghezza immagine"; +"Image title" = "Titolo immagine"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Immagine, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Adesso"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Spiega in poche parole di cosa tratta il sito."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inattivo"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nome utente o password non corretti. Inserisci di nuovo le informazioni di accesso."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "File di base infetto"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserisci media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Inserisci media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Inserisci elemento selezionato"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "L'installazione del primo plugin sul tuo sito può richiedere fino a 1 minuto. In questo periodo di tempo non potrai apportare modifiche al sito."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introduzione agli articoli della storia"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Corsivo"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mantieni aggiornate le prestazioni del sito."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Utenti conosciuti"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etichetta"; -/* No comment provided by engineer. */ -"Landscape" = "Panorama"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Lingua"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Riassunto ultimo articolo"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Maggiori informazioni"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Scopri di più sulla formattazione di data e ora."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Scopri di più sui ruoli"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Icone legacy"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Permettici di aiutare"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Informami una volta terminata l'operazione."; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Livello %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Livello %s. Vuoto."; - /* Title for the app appearance setting for light mode */ "Light" = "Chiaro"; @@ -4202,19 +3489,7 @@ "Link To" = "Link a"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "Link a"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Inserisci un link a un contenuto esistente"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Link nei commenti"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Stile dell'elenco"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Carica"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Caricamento..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Telefono"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Accedi con il nome utente e la password di WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Desideri disconnetterti da WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Richiesta di login scaduta"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "I log"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Sembra che hai Jetpack installato sul tuo sito. Complimenti!\nAccedi con le tue credenziali WordPress.com per attivare le Statistiche e le Notifiche."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "Ripeti"; /* Title of a button. */ "Lost your password?" = "Password dimenticata?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigazione principale"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Trova gli account usando l’email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Dimensione massima caricamento immagini"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Dimensione massima per il caricamento video"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "Caricamento di contenuti multimediali"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "Area per elementi multimediali"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Gli elementi multimediali non sono associati a un file da caricare."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "File multimediale"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "La dimensione del file multimediale (%1$@) è eccessiva per il caricamento. Il massimo consentito è %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Anteprima dei contenuti multimediali non riuscita."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Elemento multimediale caricato (%ld file)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitora l’uptime del tuo sito"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Mesi"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Ulteriori informazioni su WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Orari più popolari"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Sposta sotto"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Rimuovi elemento menu"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "Sposta il commento nel cestino."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "Musei da vedere a Londra"; /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Il mio profilo"; @@ -4725,10 +3934,7 @@ "My Tickets" = "I miei ticket"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "La Top Ten dei bar"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Naviga alla personalizzazione del gradiente"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hai bisogno di aiuto?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nuovo elenco delle parole da bloccare"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nuove icone delle app personalizzate"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nuovi articoli"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Nuovi"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Successivo"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Passi successivi"; /* Accessibility label for the next notification button */ "Next notification" = "Prossima notifica"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Periodo successivo"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "No"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nessuna connessione"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Nessun elemento"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nessun commento"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Nessun articolo."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Nessun articolo recente"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Non trovi l'e-mail? Controlla la cartella dello spam o della posta indesiderata."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Nota: il layout delle colonne potrebbe cambiare in base in base al tema e alle dimensioni dello schermo"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nessun risultato."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Numero"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerata"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Pulsante One Password"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Vedi solo le statistiche più pertinenti. Aggiungi la panoramica secondo le tue esigenze."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Apri menu azioni del blocco"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Apri le impostazioni del dispositivo"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Apri WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Apri tutti i contenuti multimediali"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Altrimenti, accedi _inserendo l'indirizzo del tuo sito_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Elenco ordinato"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organizzazione"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Altri siti"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Sovrascritta"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFONO"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagina"; -/* No comment provided by engineer. */ -"Page Link" = "Link pagina"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagina ripristinata in Bozze"; @@ -5363,7 +4494,7 @@ "Page Settings" = "Impostazioni pagina"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "Interruzione di pagina"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Blocco Interruzione di pagina. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paginazione"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragrafo"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoria Genitore"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Incolla URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Incolla blocco dopo"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Incolla senza formattazione"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Scegli il layout che preferisci per la tua home page. Puoi modificarlo e personalizzarlo in un secondo momento."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Piano"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Piani"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Riproduci il video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Aggiungi alcuni contenuti prima di provare a pubblicare."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Lingue popolari"; -/* No comment provided by engineer. */ -"Portrait" = "Ritratto"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Invia"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorie articoli"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato articolo"; -/* No comment provided by engineer. */ -"Post Link" = "Link articolo"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Articolo ripristinato in Bozze"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "Articolo di %1$@, da %2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "Impostazioni contenuti articolo"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Articolo creato su %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "Il post non è stato caricato"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "Impostazioni metadati di articolo"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Articolo spostato nel cestino."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Pubblicato su %1$@, alle %2$@, da %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Attività di pubblicazione"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Articoli"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Pagina degli articoli"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "Promosso da Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "Precaricamento"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Visualizza un’anteprima del to nuovo sito per scoprire cosa vedono i tuoi visitatori."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Notifica precedente"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Periodo precedente"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sito principale"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Progetti"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Pubblico"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Pubblico..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Acquisti"; @@ -6023,29 +5070,14 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Le notifiche push sono state disattivate nelle impostazioni iOS. Attiva\/Disattiva \"Consenti notifiche\" per riattivarle."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Tour iniziale"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Valutaci sull'App Store"; /* No comment provided by engineer. */ -"Read more" = "Read more"; - -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; +"Read more" = "Leggi altro"; /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Leggi su"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Riconnesso"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Articoli correlati visualizza contenuti pertinenti del tuo sito sotto i tuoi articoli"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Rimuovi questo articolo dai miei articoli salvati."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Rimuovi il video"; @@ -6226,7 +5249,7 @@ "Replace file" = "Sostituisci file"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "Sostituisci immagine"; /* No comment provided by engineer. */ "Replace image or video" = "Sostituisci immagine o video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ridimensiona & Ritaglia"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Risoluzione"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Ripristina sito"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Ripristina fino a questo punto"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "I blocchi riutilizzabili non sono modificabili su WordPress per iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Annulla modifica in sospeso"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Ruolo"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "Sms inviato"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Seleziona lo stile del paragrafo"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Seleziona %@ per aggiungere account dei social media"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Invia notifica push"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servi le immagini dai nostri server"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Imposta come pagina degli articoli"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Configura"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Mostra l'intestazione"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "Mostra gli articoli correlati"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "Mostra il pulsante di scaricamento"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Mostra contenuti articolo"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Mostra sezione"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Mostra solo i miei post"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Mostra statistiche per:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Mostra gli articoli del sito."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Registrati"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Lingua del Sito"; -/* No comment provided by engineer. */ -"Site Logo" = "Logo del sito"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "Sicurezza e prestazioni del sito\ndalla tua tasca"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fuso orario del sito (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titolo del sito modificato correttamente"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Siti"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Siti da seguire"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Dimensione"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Alcuni caricamenti multimediali non sono riusciti. Questa azione eliminerà tutti i contenuti multimediali non caricati dall'articolo.\nSalvare?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Il nome utente non è disponibile."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Spiacenti, il nome utente può contenere solamente lettere (dalla a alla z) e numeri."; @@ -7152,23 +6112,17 @@ "Sort By" = "Ordina per"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "Ordinamento e filtro"; /* Opens the Github Repository Web */ "Source Code" = "Codice sorgente"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sud"; /* Label for showing the available disk space quota available for media */ "Space used" = "Spazio utilizzato"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Accelera il tuo sito"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Ricomincia"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Inizia a scrivere..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Barrato"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Invia per la revisione..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Indice Spotlight cancellato correttamente"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Supporto"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Cambia sito"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Sistema predefinito"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Indice dei contenuti"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "La tabella mostra %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Link tag"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Il tag esiste già"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Raccontaci quale tipologia di sito desideri realizzare"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Termini e condizioni"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Solo testo"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Inviami un codice invece"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Grazie per aver scelto %1$@ di %2$@"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "Grande rinnovamento di WordPress per l'app Android"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "World's Best Fans"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "L'applicazione non è in grado di riconoscere la risposta del server. Si prega di controllare la configurazione del sito."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Il certificato per questo server non è valido. Continuando, corri il rischio di connetterti ad un server che finge di essere “%@”, il che potrebbe compromettere la sicurezza di informazioni riservate che ti appartengono.\n\nVuoi accettare comunque il certificato?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Il file %1$@ contiene un modello di codice dannoso"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Il video non può essere aggiunto alla libreria dei media. "; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema attivato"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Si è verificato un problema durante la connessione a %@. Riconnettiti per continuare a utilizzare la funzione Pubblicizza."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Questa app richiede l'autorizzazione a poter accedere alla libreria multimediale del dispositivo per aggiungere le foto e\/o i video ai tuoi articoli. Se desideri che ciò avvenga, modifica le impostazioni della privacy."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Questo dominio non è disponibile"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Minaccia ignorata."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Titolo"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Il titolo della categoria è obbligatorio."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Per aggiungere foto o video ai tuoi articoli."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Per procedere con questo account Google, accedi prima con la tua password di WordPress.com. Sarà chiesta una volta sola."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Per acquisire foto o video da usare nei tuoi articoli."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Mostra\/nascondi sorgente HTML"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Attiva o disattiva lo stile elenco ordinato"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Parole totali"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffico"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Trasforma %s in"; + +/* No comment provided by engineer. */ +"Transform block…" = "Trasforma il blocco..."; + /* No comment provided by engineer. */ "Translate" = "Traduci"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nome utente su Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Digita una parola chiave per ulteriori idee"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sito senza nome"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Elenco non ordinato"; @@ -8382,7 +7213,7 @@ "Unread" = "Non lette"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "Senza risposta"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Cambiamenti non salvati"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Senza titolo"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Sono stati salvati sino a sette giorni di dati di log."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Carica media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Carica un'icona del sito"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Carica un'immagine o scegline una dalla libreria multimediale per impostarla come logo del tuo sito."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload fallito"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Utilizza la località corrente"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Usa editor a blocchi"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Usa questo link per accettare i membri del team senza doverli invitare uno per uno. Chiunque visiti questo URL potrà iscriversi alla tua organizzazione, anche se ha ricevuto un link da qualcun altro, quindi assicurati di condividerlo con le persone fidate."; /* No comment provided by engineer. */ "Use this site" = "Utilizza questo sito"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifica il tuo indirizzo email - istruzioni inviate a %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versione"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "È disponibile la versione %@"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Anteprima del video non disponibile"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Didascalia del video. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "Esportazione del video annullata."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "Impostazioni video"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Visitatori"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema vulnerabile %1$@ (versione %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Benvenuto al Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Benvenuto nel costruttore di siti web più popolare del mondo."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Questo non è un codice di autenticazione a due fattori valido. Controlla il tuo codice e riprova!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widget"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Non sarà mostrato pubblicamente."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Con questo editor potente puoi pubblicare anche durante i tuoi spostamenti."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Impostazioni dell’app WordPress"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "Rispondi..."; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "Scrivi codice..."; /* Title for the writing section in site settings screen */ "Writing" = "Scrittura"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "L'indirizzo del tuo sito viene visualizzato sulla barra nella parte superiore dello schermo quando visiti il tuo sito su Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Il tuo sito è stato creato!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Ora stai usando l'editor dei blocchi per i nuovi articoli, fantastico. Se desideri passare all'editor classico, vai a \"Il mio sito\" > \"Impostazioni del sito\"."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "un'ora"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "di %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connessioni"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "struttura del documento"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ad esempio 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ad esempio 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "esempio.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/indirizzo-del-sito (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "Immagine"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "immagine %1$d di %2$d nella galleria"; /* Text for related post cell preview */ "in \"Apps\"" = "in \"App\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "Più tardi"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "di"; -/* No comment provided by engineer. */ -"ordered list" = "Lista ordinata"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "altro"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "numero di telefono"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "articolo"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "Riepilogo"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "questi elementi verranno eliminati:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "oggi"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, siti, sito, blog, web log"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Il tuo nuovo dominio %@ è configurato. Il tuo sito fa i salti di gioia!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domini"; diff --git a/WordPress/Resources/ja.lproj/Localizable.strings b/WordPress/Resources/ja.lproj/Localizable.strings index bf012313f4ce..e931b854e255 100644 --- a/WordPress/Resources/ja.lproj/Localizable.strings +++ b/WordPress/Resources/ja.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d件の未読の投稿"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d \/ %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$sを%2$sに変換しました"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$sです。%2$sは%3$s %4$sです。"; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 単語、%2$li 文字"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s ブロックオプション"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s ブロック。空"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s ブロック。このブロックは無効なコンテンツです"; -/* translators: %s: Number of comments */ -"%s comment" = "%s件のコメント"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s ラベル"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "「%s」は完全にはサポートされていません"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "住所の追加 %@"; -/* No comment provided by engineer. */ -"- Select -" = "- 選択 -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ 「ブロック」とは、マークアップのまとまりを\n\/\/ 説明するのに使っている抽象的な用語です。\n\/\/ このまとまりを一緒に組み立てると、ページの\n\/\/ コンテンツまたはレイアウトを形作れます。\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1件の下書きをアップロードしました"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "潜在的な脅威が1件見つかりました"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "1時間以下"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "「その他」ボタンには共有ボタンを表示するドロップダウンリストが含まれています"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "サイトの投稿カレンダー。"; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "よく使用されているタグのクラウド。"; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "訪問者がサイト内を移動できるようにするブロックのコレクション。"; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "アイキャッチ画像が設定されました。変更するにはタップしてください。"; /* Title for a threat */ "A file contains a malicious code pattern" = "ファイルには、悪意のあるコードが含まれています"; -/* No comment provided by engineer. */ -"A link to a category." = "カテゴリーへのリンク。"; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "カスタム URL へのリンク。"; - -/* No comment provided by engineer. */ -"A link to a page." = "ページへのリンク。"; - -/* No comment provided by engineer. */ -"A link to a post." = "投稿へのリンク。"; - -/* No comment provided by engineer. */ -"A link to a tag." = "タグへのリンク。"; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "このアカウントのサイトのリストです。"; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "訪問者を増やすための手順。"; -/* No comment provided by engineer. */ -"A single column within a columns block." = "カラムブロック内の1つのカラム。"; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "「%@」という名前のタグはすでに存在しています。"; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "住所"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "紹介"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "新しい統計カードを追加"; -/* No comment provided by engineer. */ -"Add Template" = "テンプレートを追加"; - /* No comment provided by engineer. */ "Add To Beginning" = "先頭に追加"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "トピックを追加"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "コンテンツを複数のカラムで表示するブロックを追加し、その後、お好みのコンテンツブロックを配置しましょう。"; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Twitter、Instagram、YouTube など他サイトからコンテンツを引用表示するブロックを追加します。"; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Reader に読み込むカスタム CSS URL はここに追加できます。Calypso をローカル環境で実行している場合、次のようになります: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "ファイルをダウンロードするリンクを追加します。"; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "固定ページやリンク、その他の項目をナビゲーションメニューに追加します。"; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "インストール型サイトを追加"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "代替テキストを追加"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "テキストオーバーレイを含む画像または動画を追加します。ヘッダーに最適です。"; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "任意のトピックを追加"; /* No comment provided by engineer. */ "Add caption" = "キャプションを追加"; -/* translators: placeholder text used for the citation */ -"Add citation" = "引用元を追加"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "カスタム HTML コードを追加します。編集しながらプレビューが可能です。"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "この新規アカウントを表す画像またはアバターを追加します。"; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "段落ブロックを追加"; -/* translators: placeholder text used for the quote */ -"Add quote" = "引用を追加"; - /* Add self-hosted site button */ "Add self-hosted site" = "インストール型サイトを追加"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "タグを追加"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "スペースやタブを含むテキストを追加し、スタイリングして表示します。"; - /* No comment provided by engineer. */ "Add text…" = "テキストを追加…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "投稿の投稿者を追加します。"; - -/* No comment provided by engineer. */ -"Add the date of this post." = "投稿の日付を追加します。"; - /* No comment provided by engineer. */ "Add this email link" = "このメールリンクを追加"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "この電話リンクを追加"; -/* No comment provided by engineer. */ -"Add tracks" = "トラックを追加"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "ブロックの間に、高さをカスタマイズ可能な余白を追加します。"; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "サイト機能の追加"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "アルバム"; -/* No comment provided by engineer. */ -"Align column center" = "カラムを中央配置"; - -/* No comment provided by engineer. */ -"Align column left" = "カラムを左寄せ"; - -/* No comment provided by engineer. */ -"Align column right" = "カラムを右寄せ"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "配置"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "エラーが発生しました。"; -/* No comment provided by engineer. */ -"An example title" = "タイトル"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "不明なエラーが発生しました。もう一度お試しください。"; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "コメントを承認。"; -/* No comment provided by engineer. */ -"Archive Title" = "アーカイブタイトル"; - -/* No comment provided by engineer. */ -"Archive title" = "アーカイブタイトル"; - -/* No comment provided by engineer. */ -"Archives settings" = "アーカイブ設定"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "本当に変更をキャンセル、破棄しますか ?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "更新してもよいですか ?"; -/* No comment provided by engineer. */ -"Area" = "エリア"; - /* An example tag used in the login prologue screens. */ "Art" = "アート"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "2018年8月1日以降、Facebook では Facebook プロフィールへの投稿の直接共有ができなくなります。Facebook ページとの連携については変更ありません。"; -/* No comment provided by engineer. */ -"Aspect Ratio" = "縦横比"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "リンクとしてファイルを添付"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "音声プレーヤー"; -/* No comment provided by engineer. */ -"Audio caption text" = "音声ファイルのキャプションのテキスト"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "音声キャプション。 %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "ブロックは、ブロック自身の内部でレンダリングできません。"; +/* translators: displayed right after the block is copied. */ +"Block copied" = "ブロックをコピーしました"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "ブロックを切り取りました"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "ブロックを複製しました"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "ブロックエディターを有効にしました"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "悪意のあるログイン試行をブロックする"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "ブロックを貼り付けました"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "削除したブロック"; + +/* No comment provided by engineer. */ +"Block settings" = "ブロックの設定"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "このサイトをブロック"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "ブログの読者"; -/* No comment provided by engineer. */ -"Body cell text" = "本文セルのテキスト"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "太字"; -/* No comment provided by engineer. */ -"Border" = "枠線"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "コメントスレッドを複数のページに分けます。"; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "スクリーンリーダーのユーザーを支援するため、リンクを簡潔に説明しましょう。"; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "すべてのテーマからぴったりのデザインを見つけましょう。"; -/* No comment provided by engineer. */ -"Browse all templates" = "すべてのテンプレートを探す"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "すべてのテンプレートを探す。ナビゲーションサイドパネルにテンプレートメニューを開きます。"; - /* No comment provided by engineer. */ "Browser default" = "ブラウザーデフォルト"; @@ -1159,10 +1007,7 @@ "Button Style" = "ボタンスタイル"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "縦に表示されるボタン。"; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "横に表示されるボタン。"; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "計算中..."; -/* No comment provided by engineer. */ -"Call to Action" = "行動喚起"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "カメラ"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "キャプション"; -/* No comment provided by engineer. */ -"Captions" = "キャプション"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "ご注意ください。"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "カテゴリー"; -/* No comment provided by engineer. */ -"Category Link" = "カテゴリーリンク"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "カテゴリー名を入力してください。"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "証明書エラー"; -/* No comment provided by engineer. */ -"Change Date" = "日付を変更"; - /* Account Settings Change password label Main title */ "Change Password" = "パスワードの変更"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "ブロックの位置を変更"; -/* No comment provided by engineer. */ -"Change column alignment" = "カラムの配置を変更"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "変更に失敗しました"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "ユーザー名を変更しています"; -/* No comment provided by engineer. */ -"Chapters" = "チャプター"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "購入エラーをチェック"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "ドメインを選択"; -/* No comment provided by engineer. */ -"Choose existing" = "既存のものを選択"; - /* No comment provided by engineer. */ "Choose file" = "ファイルを選択"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "すべてのアクティビティログを削除しますか ?"; -/* No comment provided by engineer. */ -"Clear customizations" = "カスタマイズをクリア"; - /* No comment provided by engineer. */ "Clear search" = "検索をクリア"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "コメントを閉じる"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "グローバルスタイルサイドバーを閉じる"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "リストビューのサイドバーを閉じる"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "設定サイドバーを閉じる"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Me 画面を閉じる"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "ソースコード"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "折りたたんだ %i の完了タスクを切り替えて、これらのタスクのリストを展開します"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "カラフルな背景"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "カラム %d のテキスト"; - -/* No comment provided by engineer. */ -"Column count" = "カラム数"; - -/* No comment provided by engineer. */ -"Column settings" = "カラム設定"; - -/* No comment provided by engineer. */ -"Columns" = "カラム"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "ブロックをグループにまとめます。"; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "写真、動画、文章を組み合わせて、見た人が心をつかまれタップしたくなるような、好感を持たれるストーリー投稿を作ります。"; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "連携"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "連絡"; - /* Support email label. */ "Contact Email" = "連絡先メールアドレス"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "サポートに問い合わせる"; -/* No comment provided by engineer. */ -"Contact us" = "お問い合わせ"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "%@ までお問い合わせください"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "コンテンツの構造\nブロック数 : %1$li、単語数 : %2$li、文字数 : %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "このブロックより前のコンテンツを、アーカイブページの抜粋に表示します。"; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple と連携しています"; -/* No comment provided by engineer. */ -"Convert to blocks" = "ブロックへ変換"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "番号付きリストに変換"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "箇条書きリストに変換"; - /* An example tag used in the login prologue screens. */ "Cooking" = "料理"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "クリップボードに URL をコピーしました。"; - /* No comment provided by engineer. */ "Copied block" = "コピーしたブロック"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "コメントへのリンクをコピー"; /* No comment provided by engineer. */ -"Copy URL" = "URL をコピー"; +"Copy block" = "ブロックをコピー"; /* No comment provided by engineer. */ "Copy file URL" = "ファイルの URL をコピー"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "サイトで購入した内容を確認できませんでした。"; -/* translators: 1. Error message */ -"Could not edit image. %s" = "画像を編集できませんでした。%s"; - /* Title of a prompt. */ "Could not follow site" = "サイトをフォローできませんでした"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "ストーリー投稿を作成"; -/* No comment provided by engineer. */ -"Create Table" = "表を作成"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com サイトを作成"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "タグの作成"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "水平の区切りを使って、アイデアやセクションの間で改行します。"; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "番号なし、または番号付きのリストを作成します。"; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "新規サイトを作成"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "ビジネス、マガジン、個人ブログ用の新しいサイトを作成するか、既存の WordPress インストール環境を関連付けてください。"; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "新しいテンプレートパーツを作成するか、リストから既存のものを選択します。"; - /* Accessibility hint for create floating action button */ "Create a post or page" = "投稿またはページを作成"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "投稿、ページ、ストーリーを作成"; -/* No comment provided by engineer. */ -"Create a template part" = "テンプレートパーツを作成"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "サイト全体で再利用するブロックを作成して保存します。ブロックを更新すると、使用中のすべての場所に変更を適用します。"; - /* Label that describes the download backup action */ "Create downloadable backup" = "ダウンロード可能なバックアップを作成"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "現在復元中: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "カスタムリンク"; - /* Placeholder for Invite People message field. */ "Custom message…" = "カスタムメッセージ..."; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "「いいね」、コメント、フォローなどのサイト設定をカスタマイズ。"; +/* No comment provided by engineer. */ +"Cut block" = "ブロックを切り取る"; + /* Title for the app appearance setting for dark mode */ "Dark" = "ダーク"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017年12月17日"; -/* No comment provided by engineer. */ -"December 6, 2018" = "2018年12月6日"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "デフォルト"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "デフォルト URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "エリアに基づくデフォルト (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "新しい投稿のデフォルト"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "サイト削除エラー"; -/* No comment provided by engineer. */ -"Delete column" = "列を削除"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "メニューを削除"; -/* No comment provided by engineer. */ -"Delete row" = "行を削除"; - /* Delete Tag confirmation action title */ "Delete this tag" = "このタグを削除"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "説明"; -/* No comment provided by engineer. */ -"Descriptions" = "説明"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "デザイン"; /* Title for the desktop web preview */ "Desktop" = "デスクトップ"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "テンプレートパーツからブロックを切り離す"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "詳細"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "表示名"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "従来のウィジェットを表示します。"; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "すべてのカテゴリーをリスト表示します。"; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "すべての固定ページをリスト表示します。"; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "最新のコメントを表示します。"; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "先頭固定表示の投稿を除いた、最近の投稿の一覧を表示する。"; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "最近の投稿の一覧を表示します。"; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "投稿の月別アーカイブを表示します。"; - -/* No comment provided by engineer. */ -"Display a post's categories." = "投稿のカテゴリーを表示します。"; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "投稿コメント数を表示します。"; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "投稿コメントフォームを表示します。"; - -/* No comment provided by engineer. */ -"Display a post's comments." = "投稿のコメントを表示します。"; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "投稿の抜粋を表示します。"; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "投稿のアイキャッチ画像を表示します。"; - -/* No comment provided by engineer. */ -"Display a post's tags." = "投稿のタグを表示します。"; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "ソーシャルメディアのプロフィールまたはサイトにリンクするアイコンを表示します。"; - -/* No comment provided by engineer. */ -"Display as dropdown" = "ドロップダウンで表示"; - -/* No comment provided by engineer. */ -"Display author" = "投稿者を表示"; - -/* No comment provided by engineer. */ -"Display avatar" = "アバターを表示"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "余白やタグを考慮したコードスニペットを表示します。"; - -/* No comment provided by engineer. */ -"Display date" = "日付を表示"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "RSS または Atom フィードからの投稿を表示します。"; - -/* No comment provided by engineer. */ -"Display excerpt" = "抜粋を表示"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "ソーシャルメディアのプロフィールまたはサイトにリンクするアイコンを表示します。"; - -/* No comment provided by engineer. */ -"Display login as form" = "フォームとしてログインを表示"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "複数の画像をリッチなギャラリーで表示します。"; - /* No comment provided by engineer. */ "Display post date" = "投稿日を表示"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "クエリーしたオブジェクトに基づきアーカイブタイトルを表示します。"; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "アーカイブを表示する際、カテゴリー、タグ、カスタムタクソノミーの説明を表示します。"; - -/* No comment provided by engineer. */ -"Display the query title." = "クエリータイトルを表示します。"; - -/* No comment provided by engineer. */ -"Display the title as a link" = "タイトルをリンクとして表示する"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "サイトの全期間の統計をここに表示します。サイト統計情報から WordPress アプリへの設定を行います。"; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "本日のサイト統計情報をこちらに表示します。サイト統計情報で WordPress アプリへの設定を行います。"; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "ページネーション用のページ番号のリストを表示します"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "クエリーの結果として投稿のリストを表示する。"; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "必要であれば、投稿の前のページや次のページへのページネーションを表示します。"; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "サイト名を表示して編集できます。サイトのタイトルは通常、ブラウザーのタイトルバーや検索結果などに表示されます。「設定」>「一般」でも利用できます。"; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "投稿または固定ページの内容を表示します。"; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "現在の投稿コメントへのリンクを表示します。"; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "現在の投稿に隣接する、次の投稿へのリンク、または、前の投稿へのリンクを表示します。"; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "次の投稿ページへのリンクを表示します。"; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "現在の投稿に続く、次の投稿へのリンクを表示します。"; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "現在の投稿に先行する、前の投稿へのリンクを表示します。"; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "前の投稿ページへのリンクを表示します。"; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "投稿、固定ページ、その他のコンテンツタイプのタイトルを表示します。"; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "文書: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "ご心配は無用です"; -/* No comment provided by engineer. */ -"Dots" = "ドット"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "このメニュー項目を移動するにはダブルタップして長押ししてください"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "ダブルタップして「アクションシート」を開き、画像を編集、置換、クリアします"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "ダブルタップして「アクションシート」と利用可能オプションを開く"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "ダブルタップして「下部シート」を開き、画像を編集、置換、クリアします"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "ダブルタップして「下部シート」と利用可能オプションを開く"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "ダブルタップして前回の変更をやり直す"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "バックアップをダウンロード"; -/* No comment provided by engineer. */ -"Download button settings" = "ダウンロードボタン設定"; - -/* No comment provided by engineer. */ -"Download button text" = "ダウンロードボタンのテキスト"; - /* Title for the button that will download the backup file. */ "Download file" = "ファイルをダウンロード"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "テンプレートとテンプレートパーツをダウンロードします。"; - /* Label for number of file downloads. */ "Downloads" = "ダウンロード"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "下書き"; -/* No comment provided by engineer. */ -"Drop cap" = "ドロップキャップ"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "複製"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "ザナドゥの外観 - 夜明け - 1940年 (ミニチュア)\n窓、遠くにとても小さく、明かり。\nほとんど真っ暗な画面。今、カメラがゆっくり窓に向かって移動する。窓はフレーム内で切手サイズ。別の形が現れる。"; +/* No comment provided by engineer. */ +"Duplicate block" = "ブロックを複製"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "東"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@ ブロックを編集"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "%sを編集"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "ブロックリストの単語を編集"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "投稿の編集"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "RSS の URL を編集"; - -/* No comment provided by engineer. */ -"Edit URL" = "URL を編集"; - /* No comment provided by engineer. */ "Edit file" = "ファイルを編集"; /* No comment provided by engineer. */ "Edit focal point" = "焦点を編集"; -/* No comment provided by engineer. */ -"Edit gallery image" = "ギャラリー画像を編集"; - /* No comment provided by engineer. */ "Edit image" = "画像を編集"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "共有ボタンを編集"; -/* No comment provided by engineer. */ -"Edit table" = "表を編集"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "最初に投稿を編集する"; -/* No comment provided by engineer. */ -"Edit track" = "トラックを編集"; - /* No comment provided by engineer. */ "Edit using web editor" = "Web エディターを使って編集"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "メールを送信しました。"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Amazon Kindle のコンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Cloudup コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "CollegeHumor コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Crowdsignal (旧 Polldaddy) コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Flickr コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Imgur コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Issuu コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Kickstarter コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Meetup.com コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Mixcloud コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "ReverbNation コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Screencast コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Scribd コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Slideshare スライドを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "SmugMug コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "SoundCloud コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Speaker Deck スライドを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Spotify コンテンツを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Dailymotion 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Facebook 投稿を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Reddit スレッドを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a TED video." = "TED 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "TikTok 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Tumblr 投稿を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "VideoPress 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Vimeo 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "WordPress 投稿を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "WordPress.tv 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "YouTube 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "シンプルな音声プレイヤーを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a tweet." = "ツイートを埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "動画をメディアライブラリから、または新しくアップロードして埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Animoto 動画を埋め込みます。"; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Instagram 投稿を埋め込みます。"; - -/* translators: %s: filename. */ -"Embed of %s." = "%sの埋め込み。"; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "選択した PDF ファイルの埋め込み。"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "%s からの埋め込みコンテンツ"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "%s からの埋め込みコンテンツはエディター内でプレビューできません。"; - -/* No comment provided by engineer. */ -"Embedding…" = "埋め込み中..."; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "空"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "空の URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "空のブロックです。文章を入力するか、\/ からブロックを選択しましょう"; - /* Button title for the enable site notifications action. */ "Enable" = "有効化する"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "終了日"; -/* No comment provided by engineer. */ -"English" = "英語"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "フルスクリーン表示"; -/* No comment provided by engineer. */ -"Enter URL here…" = "URL をここに入力…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "埋め込む URL をここに入力..."; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "この投稿を保護するためのパスワードを入力してください"; -/* No comment provided by engineer. */ -"Enter address" = "アドレスを入力"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "上に別の語句を入力してください。一致するアドレスを検索します。"; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "サイトの高速化設定の更新中にエラーが発生しました"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "どこへ越しても住みにくいと悟った時、詩が生れて、画が出来る。"; - /* Title for the activity detail view */ "Event" = "イベント"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "プランの内容を見る"; -/* No comment provided by engineer. */ -"Export" = "エクスポート"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "コンテンツをエクスポート"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "アイキャッチ画像を読み込めませんでした"; -/* No comment provided by engineer. */ -"February 21, 2019" = "2019年2月21日"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "テーマを取得中…"; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "ファイルの種類"; -/* No comment provided by engineer. */ -"Fill" = "塗りつぶし"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "パスワードマネージャーで入力"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "名前"; -/* No comment provided by engineer. */ -"Five." = "5."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "すべて修正"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "固定"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "表のセル幅を固定"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "脅威の修正"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "フットボール"; -/* No comment provided by engineer. */ -"Footer cell text" = "フッターセルのテキスト"; - -/* No comment provided by engineer. */ -"Footer label" = "フッターラベル"; - -/* No comment provided by engineer. */ -"Footer section" = "フッターセクション"; - -/* No comment provided by engineer. */ -"Footers" = "フッター"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "お手間を省くため、WordPress.com 連絡先情報にはデータが事前に入力されています。このドメインに使用する正しい情報かどうか、ご確認ください。"; -/* No comment provided by engineer. */ -"Format settings" = "整形設定"; - /* Next web page */ "Forward" = "前へ"; -/* No comment provided by engineer. */ -"Four." = "4."; - /* Browse free themes selection title */ "Free" = "無料"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "ギャラリーのキャプションのテキスト"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "ギャラリーオプション。%s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "諦める"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "引用テキストを視覚的に強調します。「他者の引用は、我々自身への引用である」—フリオ・コルタサル"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "テキストの引用に特別な視覚的強調を加えます。"; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "サイトにその特徴とトピックがわかるような名前を付けてください。 第一印象が大事です。"; -/* No comment provided by engineer. */ -"Global Styles" = "グローバルスタイル"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML コンテンツ"; -/* No comment provided by engineer. */ -"HTML element" = "HTML 要素"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "ヘッダー1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "ヘッダー6"; -/* No comment provided by engineer. */ -"Header cell text" = "ヘッダーセルのテキスト"; - -/* No comment provided by engineer. */ -"Header label" = "ヘッダーラベル"; - -/* No comment provided by engineer. */ -"Header section" = "ヘッダーセクション"; - -/* No comment provided by engineer. */ -"Headers" = "ヘッダー"; - -/* No comment provided by engineer. */ -"Heading" = "見出し"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "見出し%d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "見出し6"; -/* No comment provided by engineer. */ -"Heading text" = "見出しテキスト"; - -/* No comment provided by engineer. */ -"Height in pixels" = "ピクセル値での高さ"; - /* Help button */ "Help" = "ヘルプ"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "ヘルプアイコン"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "訪問者がコンテンツを見つけられるよう手助けしましょう。"; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "投稿のこれまでのパフォーマンスは次のとおりです。"; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "キーボードを非表示"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "コンテンツ全文ページで抜粋を非表示"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "承認待ち"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "ホーム"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "おめでとうございます。\nもうすぐ完成です。"; -/* No comment provided by engineer. */ -"Horizontal" = "横"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "どのように Jetpack で修正されましたか ?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Apple または Google を引き続き使用し、WordPress.com アカウントをまだお持ちでない場合は、アカウントを作成して WordPress.com の利用規約に同意します。"; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "カスタムラベルを入力していると、タイトルの前に付加されます。"; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "%1$@ を削除するとこのユーザーはこのサイトにアクセスできなくなりますが、%2$@ が作成したすべてのコンテンツはサイト上に残ります。"; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "画像サイズ"; -/* No comment provided by engineer. */ -"Image caption text" = "画像のキャプションのテキスト"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "画像キャプション。%s"; @@ -3778,17 +3143,11 @@ "Image settings" = "画像設定"; /* Hint for image title on image settings. */ -"Image title" = "画像タイトル"; - -/* No comment provided by engineer. */ -"Image width" = "画像の幅"; +"Image title" = "画像タイトル"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "画像 (%@)"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "画像、日付、タイトル"; - /* Undated post time label */ "Immediately" = "すぐに"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "このサイトを短い文章で説明してください。"; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "このサイトの簡単な説明。"; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "それほど昔のことではありません。その名は忘れましたが、ラ・マンチャ地方のある村に、槍立て台に槍、古い盾、痩せ馬と猟犬と住むような型通りの郷士がおりました。"; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "他者の引用は、我々自身への引用である。"; - /* Describes a status of a plugin */ "Inactive" = "停止中"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "ユーザー名またはパスワードが間違っています。もう一度ログイン詳細を入力し直してください。"; -/* No comment provided by engineer. */ -"Indent" = "インデント"; - -/* No comment provided by engineer. */ -"Indent list item" = "リスト項目をインデント"; - /* Title for a threat */ "Infected core file" = "感染したコアファイル"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "メディアを挿入"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "表形式のデータを挿入します。"; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "表の挿入。チャートとデータの共有に最適です。"; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "WordPress ショートコードで追加のカスタム要素を挿入します。"; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "画像を挿入し、視覚に訴えます。"; - -/* No comment provided by engineer. */ -"Insert column after" = "列を右に挿入"; - -/* No comment provided by engineer. */ -"Insert column before" = "列を左に挿入"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "メディアを挿入"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "詩を挿入します。特別な余白形式を使ったり、歌詞を引用したりできます。"; - -/* No comment provided by engineer. */ -"Insert row after" = "行を下に挿入"; - -/* No comment provided by engineer. */ -"Insert row before" = "行を上に挿入"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "選択済みを挿入"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "サイトに最初のプラグインをインストールするには最長で1分かかる場合があります。その間、サイトへの変更は行うことができなくなります。"; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "新しいセクションを紹介しコンテンツを整理することで、訪問者 (および検索エンジン) のコンテンツ構造理解の手助けをしましょう。"; - /* Stories intro header title */ "Introducing Story Posts" = "ストーリー投稿の紹介"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "イタリック"; -/* No comment provided by engineer. */ -"Jazz Musician" = "ジャズ音楽家"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "サイトのパフォーマンスを把握しましょう。"; -/* No comment provided by engineer. */ -"Kind" = "種類"; - /* Autoapprove only from known users */ "Known Users" = "既知のユーザー"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "ラベル"; -/* No comment provided by engineer. */ -"Landscape" = "横方向"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "言語"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "言語タグ (en、fr など)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "大"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "最新の投稿概要"; -/* No comment provided by engineer. */ -"Latest comments settings" = "最新のコメント設定"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "さらに詳しく"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "日時形式の詳細を参照してください。"; -/* No comment provided by engineer. */ -"Learn more about embeds" = "埋め込みについてさらに詳しく"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "権限グループの詳細"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "レガシーアイコン"; -/* No comment provided by engineer. */ -"Legacy Widget" = "従来のウィジェット"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "お手伝いさせてください"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "完了時間を知らせてください !"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "レベル %1$s。%2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "レベル %s。空。"; - /* Title for the app appearance setting for light mode */ "Light" = "ライト"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "リンク先"; -/* No comment provided by engineer. */ -"Link color" = "リンク色"; - -/* No comment provided by engineer. */ -"Link label" = "リンクラベル"; - -/* No comment provided by engineer. */ -"Link rel" = "リンク rel 属性"; - /* No comment provided by engineer. */ "Link to" = "リンク先"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "%s へのリンク"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "既存のコンテンツへのリンク"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "コメント内のリンク"; -/* No comment provided by engineer. */ -"Links shown in a column." = "列に表示されるリンク。"; - -/* No comment provided by engineer. */ -"Links shown in a row." = "行に表示されるリンク。"; - -/* No comment provided by engineer. */ -"List" = "リスト"; - -/* No comment provided by engineer. */ -"List of template parts" = "テンプレートパーツのリスト"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "リストスタイル"; -/* No comment provided by engineer. */ -"List text" = "リストのテキスト"; - /* Title of the screen that load selected the revisions. */ "Load" = "読み込む"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "読み込み中…"; -/* No comment provided by engineer. */ -"Loading…" = "読込中…"; - /* Status for Media object that is only exists locally. */ "Local" = "ローカル"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "WordPress.com のユーザー名とパスワードでログインしてください。"; -/* No comment provided by engineer. */ -"Log out" = "ログアウト"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "WordPress からログアウトしますか ?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "ログインリクエスト期限切れ"; -/* No comment provided by engineer. */ -"Login\/out settings" = "ログイン \/ ログアウト設定"; - -/* No comment provided by engineer. */ -"Logos Only" = "ロゴのみ"; - /* No comment provided by engineer. */ "Logs" = "ログ"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "ループ"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "山路を登りながら、こう考えた。智に働けば角が立つ。情に棹させば流される。意地を通せば窮屈だ。とかくに人の世は住みにくい。"; - /* Title of a button. */ "Lost your password?" = "パスワードをお忘れですか ?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "メインナビゲーション"; -/* No comment provided by engineer. */ -"Main color" = "メインカラー"; - -/* No comment provided by engineer. */ -"Make template part" = "テンプレートパーツを作成"; - -/* No comment provided by engineer. */ -"Make title a link" = "タイトルをリンクにする"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "メールと一致するアカウントを検索する"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "マット・マレンウェッグ"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "アップロードできる最大の画像サイズ"; /* Title for the video size settings option. */ "Max Video Upload Size" = "アップロードできる最大の動画サイズ"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "抜粋内の最大単語数"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "2019年5月7日"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "メディアのプレビューに失敗しました。"; -/* No comment provided by engineer. */ -"Media settings" = "メディア設定"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "メディアをアップロードしました (%ldファイル)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "サイトの稼働率をモニター"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "モンブランが現れます。静粛で雪に覆われた、穏やかな山が。"; - /* Title of Months stats filter. */ "Months" = "月"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "WordPress.com の詳細"; -/* No comment provided by engineer. */ -"More tools & options" = "ツールと設定をさらに表示"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "最も人気のある時間"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "下に移動"; -/* No comment provided by engineer. */ -"Move image backward" = "画像を後方に移動"; - -/* No comment provided by engineer. */ -"Move image forward" = "画像を前方に移動"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "メニュー項目を移動"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "音楽"; -/* No comment provided by engineer. */ -"Muted" = "ミュート (消音)"; - /* Link to My Profile section My Profile view title */ "My Profile" = "プロフィール"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "私のお気に入りカフェトップ10"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "人の世を作ったものは神でもなければ鬼でもない。やはり向う三軒両隣にちらちらするただの人である。"; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "名前"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "グラデーションのカスタマイズへ移動"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "ナビゲーション(横向き)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "ナビゲーション(縦向き)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "お困りですか ?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "新規ブラックリスト単語"; -/* No comment provided by engineer. */ -"New Column" = "新規カラム"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "新カスタムアプリアイコン"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "新規投稿"; -/* No comment provided by engineer. */ -"New template part" = "新規テンプレートパーツ"; - /* Screen title, where users can see the newest plugins */ "Newest" = "最新"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "次へ"; -/* No comment provided by engineer. */ -"Next Page" = "次のページ"; - /* Table view title for the quick start section. */ "Next Steps" = "次のステップ"; /* Accessibility label for the next notification button */ "Next notification" = "次の通知"; -/* No comment provided by engineer. */ -"Next page link" = "次のページへのリンク"; - /* Accessibility label */ "Next period" = "次の期間"; -/* No comment provided by engineer. */ -"Next post" = "次の投稿"; - /* Label for a cancel button */ "No" = "いいえ"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "接続できません"; -/* No comment provided by engineer. */ -"No Date" = "日付なし"; - /* List Editor Empty State Message */ "No Items" = "項目なし"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "コメントはまだありません"; -/* No comment provided by engineer. */ -"No comments." = "%件のコメント。"; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "投稿がありません。"; -/* No comment provided by engineer. */ -"No preview available." = "プレビューが利用できません。"; - /* A message title */ "No recent posts" = "最近の投稿はありません"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "メールが表示されない場合は、 スパムメールや迷惑メールのフォルダーを確認してください。"; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "注: 音声の自動再生を行うと、一部の訪問者にユーザビリティ上の問題を引き起こす可能性があります。"; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "注: 動画の自動再生をすると、訪問者によってはユーザビリティ上の問題が発生する可能性があります。"; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "注: カラムのレイアウトはテーマ、画面サイズによって異なります"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "注意: ほとんどのスマートフォンやタブレットのブラウザーは埋め込み PDF を表示できません。"; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "見つかりません。"; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "番地"; -/* No comment provided by engineer. */ -"Number of comments" = "コメント数"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "番号付きリスト"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "1Password ボタン"; -/* No comment provided by engineer. */ -"One column" = "1カラム"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "テクノロジーにおいて最も難しいことのひとつは、自身を破壊することだ。"; - -/* No comment provided by engineer. */ -"One." = "1."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "最も関連の深い統計情報のみを表示します。ニーズに合った統計概要を追加します。"; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "おっと。"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "ブロックの操作メニューを開く"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "端末設定を開く"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "WordPress を開く"; -/* No comment provided by engineer. */ -"Open block navigation" = "ブロックナビゲーションを開く"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "メディアピッカーを通常モードで開く"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "または、サイトアドレスを入力してログインしてください。"; -/* No comment provided by engineer. */ -"Ordered" = "順序付きリスト"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "番号つきリスト"; -/* No comment provided by engineer. */ -"Ordered list settings" = "番号付きリスト設定"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "組織"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "他のサイト"; -/* No comment provided by engineer. */ -"Outdent" = "インデント解除"; - -/* No comment provided by engineer. */ -"Outdent list item" = "リスト項目のインデントを戻す"; - -/* No comment provided by engineer. */ -"Outline" = "アウトライン"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "上書き済み"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF の埋め込み"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF 設定"; - /* Register Domain - Phone number section header title */ "PHONE" = "電話"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "ページ"; -/* No comment provided by engineer. */ -"Page Link" = "ページのリンク"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "ページが下書きに復元されました"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "ページング"; -/* No comment provided by engineer. */ -"Paragraph" = "段落"; - -/* No comment provided by engineer. */ -"Paragraph block" = "段落ブロック"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "親カテゴリー"; @@ -5442,7 +4567,7 @@ "Paste URL" = "URL を貼り付け"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "サイトに表示したいコンテンツのリンクを貼り付けます。"; +"Paste block after" = "ブロックを後にペースト"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "フォーマットなしで貼り付け"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "お気に入りのホームページのレイアウトを選択します。 後で編集およびカスタマイズできます。"; -/* No comment provided by engineer. */ -"Pill Shape" = "カプセル形"; - /* The item to select during a guided tour. */ "Plan" = "プラン"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "プラン"; -/* No comment provided by engineer. */ -"Play inline" = "インラインで再生"; - /* User action to play a video on the editor. */ "Play video" = "動画を再生"; -/* No comment provided by engineer. */ -"Playback controls" = "プレイバックコントロール"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "投稿する前にいくつかコンテンツを追加してください。"; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "人気の言語"; -/* No comment provided by engineer. */ -"Portrait" = "縦方向"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "投稿"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "投稿カテゴリー"; -/* No comment provided by engineer. */ -"Post Comment" = "コメントを送信"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "投稿コメントの投稿者"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "投稿コメント本文"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "投稿コメント日"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "投稿コメント数ブロック: 投稿が見つかりません。"; - -/* No comment provided by engineer. */ -"Post Comments Form" = "投稿コメントフォーム"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "投稿コメントフォームブロック: この投稿タイプではコメントが有効化されていません。"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "投稿コメントフォームブロック: この投稿に対するコメントは許可されていません。"; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "投稿コメントリンクブロック: 投稿が見つかりません。"; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "投稿フォーマット"; -/* No comment provided by engineer. */ -"Post Link" = "投稿リンク"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "投稿を下書きとして復元しました"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "%2$@ からの %1$@ 投稿"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "投稿コメントブロック: 投稿が見つかりません。"; - /* No comment provided by engineer. */ "Post content settings" = "投稿コンテンツ設定"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "%1$@、%2$@ に %3$@ によって投稿されました。"; -/* No comment provided by engineer. */ -"Poster image" = "ポスター画像"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "投稿アクティビティ"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "投稿"; -/* No comment provided by engineer. */ -"Posts List" = "投稿一覧"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "投稿ページ"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "整形済みテキスト"; - /* No comment provided by engineer. */ "Preload" = "先読み"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "新しいサイトをプレビューして訪問者に表示される内容を確認できます。"; -/* No comment provided by engineer. */ -"Previous Page" = "前のページ"; - /* Accessibility label for the previous notification button */ "Previous notification" = "前の通知"; -/* No comment provided by engineer. */ -"Previous page link" = "前のページへのリンク"; - /* Accessibility label */ "Previous period" = "前の期間"; -/* No comment provided by engineer. */ -"Previous post" = "過去の投稿:"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "主要サイト"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "プロジェクト"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "ボタンスタイルのリンクで、訪問者に行動を喚起しましょう。"; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "ボタンスタイルのリンクで、訪問者に行動を喚起しましょう。"; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "指定されたタイプはサポートされていません。"; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "公開"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "公開中…"; -/* No comment provided by engineer. */ -"Pullquote citation text" = "プルクオートの引用元のテキスト"; - -/* No comment provided by engineer. */ -"Pullquote text" = "プルクオートのテキスト"; - /* Title of screen showing site purchases */ "Purchases" = "購入"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "iOS 設定でプッシュ通知がオフになっています。「通知を許可」でオンに戻します。"; -/* No comment provided by engineer. */ -"Query Title" = "クエリータイトル"; - /* The menu item to select during a guided tour. */ "Quick Start" = "クイックスタート"; -/* No comment provided by engineer. */ -"Quote citation text" = "引用元のテキスト"; - -/* No comment provided by engineer. */ -"Quote text" = "引用のテキスト"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS 設定"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "App Store で評価"; /* No comment provided by engineer. */ "Read more" = "続きを読む"; -/* No comment provided by engineer. */ -"Read more link text" = "「続きを読む」のリンクテキスト"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "読み進める"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "再連携完了"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "現在の URL にリダイレクト"; - /* Label for link title in Referrers stat. */ "Referrer" = "リファラ"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "「関連記事」は投稿の下にサイト内の関連コンテンツを表示します"; -/* No comment provided by engineer. */ -"Release Date" = "リリース日"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "この投稿を保存済みの投稿から削除します。"; -/* No comment provided by engineer. */ -"Remove track" = "トラックを削除"; - /* User action to remove video. */ "Remove video" = "動画を削除"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "サイズ変更・切り抜き"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "より小さな端末用にリサイズ"; - /* The largest resolution allowed for uploading */ "Resolution" = "解決方法"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "サイトを復元"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "テーマのデフォルトでテンプレートを復元"; - /* Button title for restore site action */ "Restore to this point" = "このポイントに復元"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "WordPress for iOS では再利用可能ブロックを編集できません"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "リストの数字を逆順にする"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "保留中の変更を元に戻す"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "権限グループ"; -/* No comment provided by engineer. */ -"Rotate" = "回転"; - -/* No comment provided by engineer. */ -"Row count" = "行数"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS 送信完了"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "段落スタイルを選択"; -/* No comment provided by engineer. */ -"Select poster image" = "ポスター画像を選択"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "%@ を選択してソーシャルメディアアカウントを追加する"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "プッシュ通知を送信する"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "コンテンツを複数のページに分けて表示します。"; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "WordPress.com のサーバーから画像を提供"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "投稿ページとして設定"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "画像と文章を横並びのリッチなレイアウトにします。"; - /* The Jetpack view button title for the success state */ "Set up" = "セットアップ"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "ショートコード"; -/* No comment provided by engineer. */ -"Shortcode text" = "ショートコードのテキスト"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "ヘッダーを表示"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "ダウンロードボタンを表示"; -/* No comment provided by engineer. */ -"Show inline embed" = "インラインで埋め込みを表示"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "ログインとログアウトのリンクを表示します。"; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "パスワードを表示"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "投稿の内容を表示"; -/* No comment provided by engineer. */ -"Show post counts" = "投稿数を表示"; - /* translators: Checkbox toggle label */ "Show section" = "セクションを表示"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "自分の投稿のみ表示中"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "先頭文字を大きく表示します。"; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "統計を表示:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "サイトの投稿を表示します。"; -/* No comment provided by engineer. */ -"Sidebars" = "サイドバー"; - /* View title during the sign up process. */ "Sign Up" = "登録"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "サイトの言語"; -/* No comment provided by engineer. */ -"Site Logo" = "サイトロゴ"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "サイトのセキュリティとパフォーマンスを\nポケットの中に"; -/* No comment provided by engineer. */ -"Site tagline text" = "サイトキャッチフレーズのテキスト"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "サイトのタイムゾーン (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "サイトのタイトルを変更しました"; -/* No comment provided by engineer. */ -"Site title text" = "サイトタイトルのテキスト"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "サイト"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "フォローするサイト"; -/* No comment provided by engineer. */ -"Six." = "6."; - /* Image size option title. */ "Size" = "サイズ"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "ソーシャル"; -/* No comment provided by engineer. */ -"Social Icon" = "ソーシャルアイコン"; - -/* No comment provided by engineer. */ -"Solid color" = "単色"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "アップロードに失敗したメディアがあります。この操作を行うと投稿から失敗したメディアを削除します。保存してもよいですか ?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "そのユーザー名はご利用いただけません。"; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "このコンテンツを埋め込めませんでした。"; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "ユーザー名には半角英字の小文字 (a-z) と数字のみを使ってください。"; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "ソースコード"; -/* No comment provided by engineer. */ -"Source language" = "ソース言語"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "南"; /* Label for showing the available disk space quota available for media */ "Space used" = "利用中の容量"; -/* No comment provided by engineer. */ -"Spacer settings" = "スペーサー設定"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "サイトをスピードアップ"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "標準"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "最初からやり直す"; -/* No comment provided by engineer. */ -"Start value" = "初期値"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "ブロックでストーリーを組み立ててみましょう。"; - /* No comment provided by engineer. */ "Start writing…" = "執筆を開始…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "打ち消し"; -/* No comment provided by engineer. */ -"Stripes" = "ストライプ"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "スタブ"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "レビューをリクエスト中…"; -/* No comment provided by engineer. */ -"Subtitles" = "字幕"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "スポットライトインデックスのクリア成功"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "サポート"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "住みにくさが高じると、安い所へ引き越したくなる。"; - /* Button used to switch site */ "Switch Site" = "サイト切り替え"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "システムの初期設定"; -/* No comment provided by engineer. */ -"Table" = "テーブル"; - -/* No comment provided by engineer. */ -"Table caption text" = "表のキャプションのテキスト"; - /* No comment provided by engineer. */ "Table of Contents" = "目次"; -/* No comment provided by engineer. */ -"Table settings" = "表の設定"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "タグ"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "タグクラウド設定"; - -/* No comment provided by engineer. */ -"Tag Link" = "タグリンク"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "タグはすでに存在します"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "どのようなサイトを作りたいか教えてください"; -/* No comment provided by engineer. */ -"Template Part" = "テンプレートパーツ"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "テンプレートパーツ「%s」が挿入されました。"; - -/* No comment provided by engineer. */ -"Template Parts" = "テンプレートパーツ"; - -/* No comment provided by engineer. */ -"Template part created." = "テンプレートパーツを作成しました。"; - -/* No comment provided by engineer. */ -"Templates" = "テンプレート"; - -/* No comment provided by engineer. */ -"Term description." = "タームの説明。"; - /* The underlined title sentence */ "Terms and Conditions" = "利用規約"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "テキストのみ"; -/* No comment provided by engineer. */ -"Text link settings" = "テキストリンク設定"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "代わりに SMS でコードを送信する"; -/* No comment provided by engineer. */ -"Text settings" = "テキスト設定"; - -/* No comment provided by engineer. */ -"Text tracks" = "テキストトラック"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "%1$@ (%2$@) のご利用ありがとうございます"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "このサーバーの証明書が無効です。「%@」を偽装しているサーバーに接続中の可能性があるため、機密情報が危険にさらされる恐れがあります。\n\nこの証明書をそのまま信頼しますか ?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "現在のポスター画像 URL は %s です"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "抜粋は表示されません。"; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "抜粋を表示中です。"; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "ファイル %1$@ には悪意のあるコードパターンが含まれています"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "動画をメディアライブラリに追加できませんでした。"; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "みそさゞい
だまり返て
かせぐ也"; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "有効化したテーマ"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "%@ 連携に問題が発生しました。パブリサイズを続行するには再連携してください。"; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "現在選択中のポスター画像はありません"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "このアプリが投稿に写真・動画を追加するため端末のメディアライブラリにアクセスするには、許可が必要です。プライバシー設定を変更してください。"; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "このブロックは非推奨です。代わりにカラムブロックを使用してください。"; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "カラム数が推奨値より大きいため表示が壊れるかもしれません。"; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "このドメインは利用できません"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "脅威を無視しました。"; -/* No comment provided by engineer. */ -"Three columns; equal split" = "3カラム: 均等割"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "3カラム: 中央を広く"; - -/* No comment provided by engineer. */ -"Three." = "3."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "サムネイル"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "タイトル"; -/* No comment provided by engineer. */ -"Title & Date" = "タイトルと日付"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "タイトルと抜粋"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "タイトルまたはカテゴリーは必須項目です。"; -/* No comment provided by engineer. */ -"Title of track" = "トラックのタイトル"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "タイトル、日付、抜粋"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "投稿に写真または動画を追加する。"; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "この Google アカウントで先に進むには、最初に WordPress.com パスワードを使用してログインしてください。これは一度しか尋ねられません。"; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "コメントを表示するにはコメント ID を入力してください。"; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "投稿に使用する写真または動画を撮る。"; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML ソースを切り替える"; -/* No comment provided by engineer. */ -"Toggle navigation" = "ナビゲーションを切り替え"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "先頭文字を大きな表示に切り替えます。"; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "番号つきリストスタイルを切り替える"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "総単語数"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "トラックにはサブタイトル、キャプション、チャプター、説明を追加できます。追加するとより多くのユーザーがコンテンツにアクセスできるようになります。"; - /* Title for the traffic section in site settings screen */ "Traffic" = "トラフィック"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "%sを変換:"; + +/* No comment provided by engineer. */ +"Transform block…" = "ブロックを変換…"; + /* No comment provided by engineer. */ "Translate" = "翻訳"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter ユーザー名"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "2カラム: 等分"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "2カラム: 1\/3、2\/3に分割"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "2カラム: 2\/3、1\/3に分割"; - -/* No comment provided by engineer. */ -"Two." = "2."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "その他のアイデアについてはキーワードを入力します"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "無題のサイト"; -/* No comment provided by engineer. */ -"Unordered" = "順序なしリスト"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "番号なしリスト"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "無題"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "無題のテンプレートパーツ"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "数日間分のログが保存されます。"; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "メディアをアップロード"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "ファイルをアップロードするか、メディアライブラリから選択してください。"; - /* Title of a Quick Start Tour */ "Upload a site icon" = "サイトのアイコンをアップロード"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "サイトロゴ用の画像をアップロードするか、メディアライブラリから選択"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "アップロードに失敗しました"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "現在の位置を使用"; -/* No comment provided by engineer. */ -"Use URL" = "URL を使用"; - /* Option to enable the block editor for new posts */ "Use block editor" = "ブロックエディターを使用"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "従来の WordPress エディターを使用します。"; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "このリンクを使用すると、チームメンバーを1人ずつではなく一括で招待できます。 この URL にアクセスすると、だれでも組織に登録されます。リンクをだれから受け取ったかは関係ないため、信頼できる人と共有するようにしてください。"; /* No comment provided by engineer. */ "Use this site" = "このサイトを使用"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "サイトを表すグラフィックマーク、デザイン、シンボルの表示に便利です。サイトロゴが設定されると、異なる場所やテンプレートで再利用されます。サイトアイコンと混同しないでください。サイトアイコンはダッシュボード、ブラウザータブ、パブリックな検索結果等でサイトの識別に使用される小さな画像です。"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "メールアドレスを検証してください。指示が %@ に送信されました"; -/* No comment provided by engineer. */ -"Verse text" = "詩のテキスト"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "バージョン"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "バージョン%@が利用できます"; -/* No comment provided by engineer. */ -"Vertical" = "縦"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "動画プレビューは利用できません"; -/* No comment provided by engineer. */ -"Video caption text" = "動画キャプションのテキスト"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "動画の見出しです。%s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "読者"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "viewport の高さ (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "脆弱なテーマ %1$@ (バージョン%2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "彼は何をしていたのか、偉大な神パン、\n 川辺の葦の中で ?\n破滅を拡散し、圧迫をまき散らし、\n山羊の蹄でしぶきをあげ、水をかきわけながら\n金の百合を引きちぎり、\n トンボとともに川面に浮かべる。"; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Reader へようこそ"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "ブロックの世界へようこそ。"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "世界で最も人気のサイト構築サービスへようこそ。"; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "正しい二段階認証コードではありません。コードを再確認してもう一度お試しください。"; -/* No comment provided by engineer. */ -"Wide Line" = "幅広線"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "ウィジェット"; -/* No comment provided by engineer. */ -"Width in pixels" = "幅 (px)"; - /* Help text when editing email address */ "Will not be publicly displayed." = "公開されません。"; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "この強力なエディターで、外出中も投稿できます。"; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "ニューヨークのセントラルパークで鳴いているモリツグミ。"; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress アプリ設定"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "コードを入力..."; -/* No comment provided by engineer. */ -"Write file name…" = "ファイル名を入力..."; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "ギャラリーのキャプションを入力…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "整形済みテキストを入力..."; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "ショートコードをここに入力…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "サイトキャッチフレーズを入力…"; - -/* No comment provided by engineer. */ -"Write site title…" = "サイト名を入力…"; - -/* No comment provided by engineer. */ -"Write title…" = "タイトルを入力..."; - -/* No comment provided by engineer. */ -"Write verse…" = "詩を入力…"; - /* Title for the writing section in site settings screen */ "Writing" = "投稿設定"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Safari でサイトにアクセスすると、画面の上部にあるバーにサイトアドレスが表示されます。"; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "\"%s\" ブロックはサイトでサポートされていません。そのまま残すか、完全に削除してください。"; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "\"%s\" ブロックはサイトでサポートされていません。そのまま残すか、カスタム HTML ブロックへ変換、または完全に削除してください。"; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "このブロックはサイトで未対応です。"; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "サイトが巻き戻されました !"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "新しい投稿にブロックエディターを使用できるようになりました。旧エディターに変更する場合は、「参加サイト」 > 「サイト設定」に移動します。"; -/* No comment provided by engineer. */ -"Zoom" = "ズーム"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "1時間"; -/* No comment provided by engineer. */ -"archive" = "アーカイブ"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "音声ファイル"; -/* No comment provided by engineer. */ -"blockquote" = "引用"; - -/* No comment provided by engineer. */ -"blog" = "ブログ"; - -/* No comment provided by engineer. */ -"bullet list" = "番号なしリスト"; - /* Used when displaying author of a plugin. */ "by %@" = "作成者: %@"; -/* No comment provided by engineer. */ -"cite" = "引用"; - /* The menu item to select during a guided tour. */ "connections" = "連携"; -/* No comment provided by engineer. */ -"container" = "コンテナー"; - -/* No comment provided by engineer. */ -"description" = "説明"; - -/* No comment provided by engineer. */ -"divider" = "区切り線"; - -/* No comment provided by engineer. */ -"document" = "文書"; - /* No comment provided by engineer. */ "document outline" = "文書の概要"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "ダブルタップして単位を変更"; -/* No comment provided by engineer. */ -"download" = "ダウンロード"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例「1122334455」"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "例「44」"; -/* No comment provided by engineer. */ -"embed" = "埋め込み"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "フィード"; - -/* No comment provided by engineer. */ -"find" = "見つける"; - /* Noun. Describes a site's follower. */ "follower" = "フォロワー"; -/* No comment provided by engineer. */ -"form" = "フォーム"; - -/* No comment provided by engineer. */ -"horizontal-line" = "水平線"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/ja.wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "画像"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "ギャラリー内の画像%1$d件中%2$d件"; -/* No comment provided by engineer. */ -"images" = "画像"; - /* Text for related post cell preview */ "in \"Apps\"" = "「アプリ」カテゴリー"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "今日あとで"; -/* No comment provided by engineer. */ -"link" = "リンク"; - -/* No comment provided by engineer. */ -"links" = "リンク"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "ログアウト"; - -/* No comment provided by engineer. */ -"menu" = "メニュー"; - -/* No comment provided by engineer. */ -"movie" = "動画"; - -/* No comment provided by engineer. */ -"music" = "音楽"; - -/* No comment provided by engineer. */ -"navigation" = "ナビゲーション"; - -/* No comment provided by engineer. */ -"next page" = "次のページ"; - -/* No comment provided by engineer. */ -"numbered list" = "番号付きリスト"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "\/"; -/* No comment provided by engineer. */ -"ordered list" = "番号つきリスト"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "その他"; -/* No comment provided by engineer. */ -"pagination" = "ページネーション"; - /* No comment provided by engineer. */ "password" = "パスワード"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "電話番号"; -/* No comment provided by engineer. */ -"photos" = "写真"; - -/* No comment provided by engineer. */ -"picture" = "画像"; - -/* No comment provided by engineer. */ -"podcast" = "ポッドキャスト"; - -/* No comment provided by engineer. */ -"poem" = "ポエム"; - -/* No comment provided by engineer. */ -"poetry" = "詩"; - -/* No comment provided by engineer. */ -"post" = "投稿"; - -/* No comment provided by engineer. */ -"posts" = "件"; - -/* No comment provided by engineer. */ -"read more" = "続きを読む"; - -/* No comment provided by engineer. */ -"recent comments" = "最近のコメント"; - -/* No comment provided by engineer. */ -"recent posts" = "最近の投稿"; - -/* No comment provided by engineer. */ -"recording" = "録音"; - -/* No comment provided by engineer. */ -"row" = "行"; - -/* No comment provided by engineer. */ -"section" = "セクション"; - -/* No comment provided by engineer. */ -"social" = "ソーシャル"; - -/* No comment provided by engineer. */ -"sound" = "音"; - -/* No comment provided by engineer. */ -"subtitle" = "サブタイトル"; - /* No comment provided by engineer. */ "summary" = "要約"; -/* No comment provided by engineer. */ -"survey" = "アンケート"; - -/* No comment provided by engineer. */ -"text" = "テキスト"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "次の項目が削除されます:"; -/* No comment provided by engineer. */ -"title" = "タイトル"; - /* Today */ "today" = "今日"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, サイト, サイト, ブログ, ブログ"; -/* No comment provided by engineer. */ -"wrapper" = "ラッパー"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "新しいドメイン %@ の設定中です。サイトをアップグレード中です。"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— 小林一茶"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "•ドメイン"; diff --git a/WordPress/Resources/ko.lproj/Localizable.strings b/WordPress/Resources/ko.lproj/Localizable.strings index b95c6052a64c..51f8ff1519fa 100644 --- a/WordPress/Resources/ko.lproj/Localizable.strings +++ b/WordPress/Resources/ko.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-30 16:14:00+0000 */ +/* Translation-Revision-Date: 2021-05-12 10:54:09+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: ko_KR */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d개의 보지 않은 글"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%2$s(으)로 변형된 %1$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s은(는) %3$s %4$s입니다."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 단어, %2$li 글자"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s 블록 옵션"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s 블록. 비어 있음"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s 블록. 이 블록에는 잘못된 내용이 있습니다."; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "‘%s’을(를) 완전히 지원하지 않습니다"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "주소 줄 %@ 추가"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1개 임시글 업로드됨"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "잠재적 위협 1개 찾음"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1시간"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "\"더 보기\" 버튼에는 공유 버튼을 표시하는 드롭다운이 있습니다."; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "특성 이미지가 설정되었습니다. 변경하려면 누르세요."; /* Title for a threat */ "A file contains a malicious code pattern" = "파일에 악성 코드 패턴이 있음"; -/* No comment provided by engineer. */ -"A link to a category." = "카테고리 링크입니다."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "페이지 링크입니다."; - -/* No comment provided by engineer. */ -"A link to a post." = "글 링크입니다."; - -/* No comment provided by engineer. */ -"A link to a tag." = "태그 링크입니다."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "이 계정의 사이트 목록"; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "사이트 방문자를 늘리기 위한 여러 단계로 이루어진 과정."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "'%@' 태그가 이미 존재합니다."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "주소"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "이 앱은"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "새로운 통계 카드 추가"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "처음에 추가하기"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "토픽 추가하기"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "리더에서 부를 사용자 정의 CSS URL을 여기에 추가하세요. 자체적으로 칼립소를 실행하고 있다면 다음과 같이 할 수 있습니다: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "독립 호스트 사이트 추가"; @@ -547,20 +449,11 @@ /* No comment provided by engineer. */ "Add alt text" = "대체 텍스트 추가하기"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "모든 토픽 추가하기"; /* No comment provided by engineer. */ -"Add caption" = "Add caption"; - -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; +"Add caption" = "캡션 추가"; /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "새 계정을 나타내는 이미지 또는 아바타를 추가합니다."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "단락 블록 추가"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "독립 호스트 사이트 추가"; @@ -603,16 +493,7 @@ "Add tags" = "태그 추가"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "텍스트 추가..."; /* No comment provided by engineer. */ "Add this email link" = "이 이메일 링크 추가하기"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "이 전화번호 링크 추가하기"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "사이트 기능 추가"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "앨범"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "정렬"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "오류가 발생 했습니다."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "알 수 없는 오류가 발생했습니다. 다시 시도하세요."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "댓글 승인"; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "변경 사항을 취소하시겠어요?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "업데이트하시겠습니까?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "예술"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "2018년 8월 1일 현재, 페이스북은 더 이상 페이스북 프로필에 직접 글 공유를 허용하지 않습니다. 페이스북 페이지에 대한 연결은 그대로 유지됩니다."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "파일을 링크로 첨부"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "첨부 페이지"; /* No comment provided by engineer. */ "Audio Player" = "오디오 플레이어"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "오디오 캡션. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "오디오 캡션. 비었음"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "오디오 설정"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "오디오, %@"; @@ -967,7 +812,7 @@ "Authors" = "작성자"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "자동"; /* Describes a status of a plugin */ "Auto-managed" = "자동 관리"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "새 글을 소셜 미디어 계정에 자동으로 공유합니다."; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "자동 실행"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "자동 업데이트"; @@ -1078,17 +923,35 @@ "Block Quote" = "인용 차단"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "블록은 내부에 자체적으로 렌더링할 수 없습니다."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "블록을 복사하였습니다"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "블록을 잘라냈습니다"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "블록을 복제했습니다"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "블록 편집기 활성화됨"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "블록이 삭제됐거나 기능하지 않습니다."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "악의적인 로그인 시도 차단"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "블록을 붙여넣었습니다"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "블록을 제거했습니다"; + +/* No comment provided by engineer. */ +"Block settings" = "블록 설정"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "이 블로그 차단"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "블로그 방문자"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "굵게"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "댓글 스레드를 여러 페이지로 나눕니다."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "모든 테마를 검색하여 어울리는 것을 찾으세요."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "브라우저 기본 설정"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "무차별 공격 대입 보호"; @@ -1159,10 +1007,7 @@ "Button Style" = "버튼 스타일"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "작성자"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "계산 중..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "카메라"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "캡션"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "조심하세요!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "카테고리"; -/* No comment provided by engineer. */ -"Category Link" = "카테고리 링크"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "카테고리 제목 없음."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "인증서 오류"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "비밀번호 변경"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "블록 위치 변경"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "변경 실패"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "변경 헤딩요소 레벨"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "미리보기에 사용한 기기 종류 변경하기"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "사용자명 변경 중"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "구매 확인 오류"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "도메인 선택"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "파일 선택하기"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "이전 활동 기록 지우기"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "검색 지우기"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "댓글 닫기"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "미 화면 닫기"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "코드"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "축소됨, %i개의 완료된 작업, 토글링은 이러한 작업 목록을 확장합니다."; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "화려한 배경"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "사진, 비디오, 그리고 문자를 조합하여 방문자에게 매력적이고 좋아할 수 있는 탭할 수 있는 이야기 글을 만드세요."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "연결"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "문의"; - /* Support email label. */ "Contact Email" = "연락처 이메일"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "지원팀에 문의"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "%@(으)로 문의하기"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "콘텐츠 구성\n블록: %1$li, 단어: %2$li, 글자: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1814,7 +1599,7 @@ "Continue" = "계속"; /* Button title. Takes the user to the login with WordPress.com flow. */ -"Continue With WordPress.com" = "Continue With WordPress.com"; +"Continue With WordPress.com" = "워드프레스닷컴 계속"; /* Menus alert button title to continue making changes. */ "Continue Working" = "작업 계속"; @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple 로 계속하기"; -/* No comment provided by engineer. */ -"Convert to blocks" = "블록으로 전환하기"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "요리"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "복사된 블록"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "댓글로 링크 복사"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "블록 복사하기"; /* No comment provided by engineer. */ "Copy file URL" = "파일 URL 복사하기"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "사이트 구매를 확인할 수 없습니다."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "사이트를 팔로우할 수 없음"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "이야기 글 만들기"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "워드프레스닷컴 사이트 생성"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "태그 만들기"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "새 사이트 생성"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "비즈니스, 잡지 또는 개인 블로그를 위한 새 사이트를 만들거나 기존 워드프레스 사이트에 연결하세요."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "글 또는 페이지 만들기"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "글, 페이지, 또는 이야기 만들기"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "다운로드할 수 있는 백업 만들기"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "현재 복원 중: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "사용자 정의 안내문…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "좋아요, 댓글, 팔로우 등의 사이트 설정을 사용자 정의합니다."; +/* No comment provided by engineer. */ +"Cut block" = "블록 잘라내기"; + /* Title for the app appearance setting for dark mode */ "Dark" = "검정"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017년 12월 17일"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "기본"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "기본 URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "새 글의 기본값"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "사이트 삭제 오류"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "메뉴 지우기"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "이 태그 삭제"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "설명"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "디자인"; /* Title for the desktop web preview */ "Desktop" = "데스크탑"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "세부사항"; @@ -2355,94 +2089,7 @@ "Display Name" = "대화명"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "발행일 표시"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "여기에 모든 사이트 통계를 표시하세요. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "여기에 오늘 사이트 통계를 표시합니다. 워드프레스 앱의 사이트 통계에서 구성할 수 있습니다."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "문서: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "걱정하지 마세요"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "두 번 누르고 유지하여 이 메뉴 항목을 위 또는 아래로 이동하기"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "이미지를 편집, 교체 또는 지울 작업 시트를 두 번 눌러 열기"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "사용할 수 있는 옵션이 포함된 작업 시트를 열려면 두 번 누르세요."; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "이미지를 편집, 교체 또는 지울 하단 시트를 두 번 눌러 열기"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "사용할 수 있는 옵션이 포함된 하위 시트를 열려면 두 번 누르세요."; + /* No comment provided by engineer. */ "Double tap to redo last change" = "마지막 변경을 다시 실행하려면 두 번 탭하세요."; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "백업 다운로드하기"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "파일 다운로드"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "다운로드"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "임시글"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "복제"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "블록 복제하기"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "동쪽"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@ 블록 편집"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "차단 목록 단어 편집"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "글 편집"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "파일 편집하기"; /* No comment provided by engineer. */ "Edit focal point" = "초점 편집하기"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "공유 버튼 편집"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "먼저 글 편집하기"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "웹 편집기를 이용하여 편집하기"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "이메일이 전송되었습니다."; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "비었음"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "빈 URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "활성화"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "종료일"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "전체 화면으로 보기"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "여기에 임베드하려면 URL을 입력하세요..."; /* Enter a custom value */ "Enter a custom value" = "사용자 정의 값 입력"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "이 글을 보호하기 위한 암호를 입력하세요"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "위에 다른 단어를 입력하면 일치하는 주소를 찾겠습니다."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "클릭 한 번으로 백업에서 사이트를 복원할 수 있도록 서버 자격 증명을 입력하세요."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "위협을 해결하려면 서버 자격 증명을 입력하세요."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "위협을 해결하려면 서버 자격 증명을 입력하세요."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "사이트 설정 가속화를 업데이트하는 중 오류 발생"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "이벤트"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "요금제 살펴보기"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "콘텐츠 내보내기"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "특성 이미지가 로드 되지 않았습니다"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "테마를 가져오는 중..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "파일 형식"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "비밀번호 관리자로 채우기"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "이름"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "모두 고치기"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "해결됨"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "위협 해결 중"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "축구"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "편의를 위해 워드프레스닷컴 연락처 정보를 미리 채웠습니다. 이 도메인에 사용하려는 정보가 정확한지 검토하여 확인하세요."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "전달"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "무료"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "갤러리 캡션. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "사이트가 가동되고 작동 중입니다."; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "영감받기"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "계정 정보 받기"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "포기"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "개성과 주제를 반영하는 사이트 제목을 주십시오. 첫 인상이 많은 부분을 차지합니다!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "지메일"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML 콘텐츠"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "헤더 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "헤더 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "헤딩요소 %d"; /* H1 Aztec Style */ "Heading 1" = "헤딩 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "헤딩 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "도움말"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "도움말 아이콘"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "지금까지 글의 성과입니다."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "키보드 감추기"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "중재를 위해 보관"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "만세!\n조금만 기다려 주세요"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "젯팩을 어떻게 고쳤을까요?"; @@ -3709,7 +3080,7 @@ "I Like It" = "좋아요"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "저는 사진 작가 Cameron Karsten의 작업에서 많은 영감을 받았습니다. 다음 작업에서 이러한 기법을 시도해볼 생각합니다."; /* Title of a button style */ "Icon & Text" = "아이콘 및 텍스트"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "애플이나 구글로 계속하기를 원하고 이미 워드프레스닷컴 계정을 가지고 있지 않다면, 계정을 만들고 _약관_에 동의하는 것으로 간주합니다."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "%1$@를 삭제한다면 사용자는 더 이상 사이트를 이용할 수 없지만, %2$@가 만든 콘텐츠는 그대로 남아 있습니다."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "이미지 크기"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "이미지 캡션. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "이미지 설정"; /* Hint for image title on image settings. */ -"Image title" = "이미지 제목"; - -/* No comment provided by engineer. */ -"Image width" = "이미지 너비"; +"Image title" = "이미지 제목"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "이미지, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "즉시"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "이 사이트의 주제를 간략히 소개하세요."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "비활성"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "사용자명이나 비밀번호가 올바르지 않습니다. 로그인 정보를 다시 입력해 주세요."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "감염된 코어 파일"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "미디어 삽입"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "미디어 삽입"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "선택한 미디어 삽입"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "첫 번째 플러그인을 사이트에 설치하는 데에는 최대 1분이 소요될 수 있습니다. 이 시간 동안은 사이트를 변경할 수 없습니다."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "이야기 글 소개"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "이탤릭"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "사이트 성능을 최신 상태로 유지합니다."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "알려진 사용자"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "레이블"; -/* No comment provided by engineer. */ -"Landscape" = "가로형"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "언어"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Large"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "최신 글 요약"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "더 알아보기"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "날짜와 시간 형식에 대해 자세히 알아보세요."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "역할에 대하여 더 알아보기"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "기존 아이콘"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "지원"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "완료되면 알려주세요!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "%1$s 수준. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "%s 수준. 비어 있음."; - /* Title for the app appearance setting for light mode */ "Light" = "밝음"; @@ -4202,19 +3489,7 @@ "Link To" = "링크"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "링크 연결 대상:"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "기존 콘텐츠에 연결"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "댓글의 링크"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "목록 스타일"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "로드"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "로딩 중..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "로컬"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "워드프레스닷컴 사용자 이름과 비밀번호로 로그인합니다"; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "워드프레스에서 로그아웃하시겠습니까?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "로그인 요청 만료됨"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "로그"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "젯팩을 설치해 두셨네요, 축하합니다!\n아래의 Wordpress.com 정보로 로그인 해서 알림과 통계를 활성화하세요."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "연속재생"; /* Title of a button. */ "Lost your password?" = "비밀번호 분실?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "메인 내비게이션"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "이메일을 사용하여 계정 일치"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "최대 이미지 업로드 사이즈"; /* Title for the video size settings option. */ "Max Video Upload Size" = "최대 비디오 업로드 크기"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "미디어 업로드"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "미디어 영역"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "미디어에 업로드할 관련 파일이 없습니다."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "미디어 파일"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "미디어 파일 크기(%1$@)가 너무 커서 업로드할 수 없습니다. 허용되는 최대값은 %2$@입니다."; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "미디어 미리보기 실패함"; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "미디어 업로드됨(%ld개 파일)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "사이트 가동 시간 모니터링"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "월"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "워드프레스닷컴 상세 정보"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "가장 인기 있는 시간"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "아래로 이동"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "메뉴 항목 움직이기"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "댓글을 휴지통으로 이동"; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "런던에서 볼 만한 박물관"; /* An example tag used in the login prologue screens. */ "Music" = "음악"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "내 프로필"; @@ -4725,10 +3934,7 @@ "My Tickets" = "내 티켓"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "상위 10개 카페"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "사용자 정의 그라디언트로 가기"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "도움이 필요하세요?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "새 차단 목록 단어"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "새 사용자 정의 앱 아이콘"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "새 글"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "최신순"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "다음"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "다음 단계"; /* Accessibility label for the next notification button */ "Next notification" = "다음 알림"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "다음 기간"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "아니오"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "연결 없음"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "항목 없음"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "아직 댓글이 없습니다"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "글이 없습니다."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "최근 글 없음"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "이메일이 보이지 않으세요? 스팸이나 정크 메일 폴더를 확인하세요."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "안내: 컬럼 레이아웃은 테마와 화면 크기에 따라 달라질 수도 있습니다"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "아무것도 찾을 수 없습니다."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "번호"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "번호 목록"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "한 비밀번호 버튼"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "가장 관련성 높은 통계만 확인하세요. 필요에 맞게 인사이트를 추가하세요."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "이런!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "블록 활동 메뉴 열기"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "장치 설정 열기"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "워드프레스 열기"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "전체 미디어 선택기 열기"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "또는 사이트 주소를 입력하여 로그인하세요."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "순서 있는 목록"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "조직"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "기타 사이트"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "재정의"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "전화"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "페이지"; -/* No comment provided by engineer. */ -"Page Link" = "페이지 링크"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "페이지를 원본으로 복원"; @@ -5363,7 +4494,7 @@ "Page Settings" = "페이지 설정"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "페이지 자르기"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "페이지 바꾸기 블록. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "페이징"; -/* No comment provided by engineer. */ -"Paragraph" = "문단"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "상위 카테고리"; @@ -5442,7 +4567,7 @@ "Paste URL" = "URL 붙여 넣기"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "이후에 블록 붙여넣기"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "서식없이 붙여넣기"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "마음에 드는 홈페이지 레이아웃을 선택하세요. 나중에 편집하고 원하는대로 꾸밀 수 있습니다."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "요금제"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "요금제"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "비디오 재생"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "발행을 시도하기 전에 약간의 콘텐츠를 추가하시기 바랍니다."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "인기 언어"; -/* No comment provided by engineer. */ -"Portrait" = "세로형"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "게시물"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "게시글 카테고리"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "글 형식"; -/* No comment provided by engineer. */ -"Post Link" = "글 링크"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "글이 임시글 목록으로 복원됨"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "%1$@님이 %2$@에 게시함"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "글 콘텐츠 설정"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "%@에 작성된 글"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "글 업로드 실패"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "글 메타 설정"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "글을 휴지통으로 이동했습니다."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "%1$@(%2$@)에서 %3$@님이 포스팅함."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "게시 활동"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "글"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "글 페이지"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "테너가 제공합니다"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "프리로드"; /* Browse premium themes selection title */ "Premium" = "프리미엄"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "새 사이트를 미리 보고 방문자에게 어떤 것이 표시되는지 확인하세요."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "이전 알림"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "이전 기간"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "기본 사이트"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "프로젝트"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "공개"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "게시 중..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "구매"; @@ -6023,29 +5070,14 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "iOS 설정에서 푸시 알림이 꺼졌습니다. 다시 활성화하려면 \"알림 허용\"을 토글하세요."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "퀵 스타트"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "App Store에서 워드프레스닷컴 평가"; /* No comment provided by engineer. */ -"Read more" = "Read more"; - -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; +"Read more" = "더 보기"; /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "사이트 계속 읽기:"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "다시 연결됨"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "참조자"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "관련 글에는 글 아래에 있는 사이트의 관련 콘텐츠가 표시됩니다."; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "저장된 글에서 이 글을 제거합니다."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "비디오 삭제"; @@ -6226,7 +5249,7 @@ "Replace file" = "파일 바꾸기"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "이미지 교체"; /* No comment provided by engineer. */ "Replace image or video" = "이미지나 비디오를 대체하기"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "크기 조정 및 자르기"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "해결 방법"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "사이트 복원하기"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "이 지점으로 복원하기"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "재활용 가능한 블록은 iOS용 WordPress에서 편집할 수 없습니다."; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "보류 상태로 되돌림"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "역할"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS 전송됨"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "단락 스타일 선택"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "%@을(를) 선택하여 소셜 미디어 계정 추가"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "푸시 알림 보내기"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "서버에서 이미지 제공"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "글 페이지로 설정"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "설정"; @@ -6819,10 +5818,7 @@ "Sharing error" = "공유 오류"; /* No comment provided by engineer. */ -"Shortcode" = "Shortcode"; - -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; +"Shortcode" = "쇼트코드"; /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "헤더 표시"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "관련 글 표시"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "다운로드 버튼 표시"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "글 콘텐츠 보기"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "섹션 표시"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "내 글만 표시"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "다음에 대한 통계 표시:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "사이트의 글을 보여 줍니다."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "가입하기"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "사이트 언어"; -/* No comment provided by engineer. */ -"Site Logo" = "사이트 로고"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "사이트 보안 및 성능\n호주머니에서"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "사이트 시간대(UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "사이트 제목을 성공적으로 바꿨습니다"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "사이트"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "팔로우한 사이트"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "크기"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "소셜"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "일부 미디어 업로드가 실패했습니다. 이 작업은 글에서 실패한 모든 미디어를 삭제할 것입니다.\n그래도 저장하시겠습니까?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "죄송합니다, 이 사용자명은 사용할 수 없습니다."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "죄송합니다. 사용자명은 소문자(a-z)와 숫자만 포함할 수 있습니다."; @@ -7152,23 +6112,17 @@ "Sort By" = "정렬 기준"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "정렬 및 필터링"; /* Opens the Github Repository Web */ "Source Code" = "소스 코드"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "남쪽"; /* Label for showing the available disk space quota available for media */ "Space used" = "사용된 공간"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "사이트 속도 향상"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "기본"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "다시 시작"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "글쓰기 시작…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "취소선"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "스텁"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "검토를 위해 제출 중..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "스포트라이트 색인 삭제됨"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "지원"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "사이트 전환"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "시스템 기본값"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "목차"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "%@ 보여주기"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "태그"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "태그 링크"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "태그가 이미 존재합니다."; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "어떤 종류의 사이트를 만들고 싶으신가요?"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "이용 약관"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "텍스트만"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "코드를 문자로 대신 받기"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "%1$@(%2$@ 제공)을(를) 선택해 주셔서 감사합니다."; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "대대적으로 업데이트된 Android 앱용 WordPress"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "세계 최고의 팬"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "앱에서 서버 반응을 인식할 수 없습니다. 사이트의 구성을 확인하세요."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "이 서버의 인증서가 올바르지 않습니다. “%@”(으)로 사칭한 서버에 연결 중일 수 있습니다. 기밀 정보가 노출될 수 있습니다.\n\n그래도 인증서를 신뢰하시겠어요?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "%1$@ 파일에 악성 코드 패턴이 있음"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "비디오를 미디어 라이브러리에 추가할 수 없었습니다."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "테마 활성화됨"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "%@에 연결하는 중 문제가 발생했습니다. 배포를 계속하려면 다시 연결하세요."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "글에 사진 및\/또는 비디오를 추가하려면 이 앱이 장치의 미디어 라이브러리에 액세스할 수 있어야 합니다. 액세스를 허용하려면 프라이버시 설정을 변경하세요."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "이 도메인을 사용할 수 없습니다"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "위협이 무시되었습니다."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "썸네일"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "제목"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "카테고리 제목은 필수입니다."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "글에 사진이나 비디오를 추가"; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "이 Google 계정을 진행하려면 먼저 워드프레스닷컴 비밀번호로 로그인하세요. 이 메시지는 한 번만 표시됩니다."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "글에 사용할 사진이나 비디오를 촬영"; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML 소스 토글 "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "순서 있는 목록 스타일 전환"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "총 단어 수"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "트래픽"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "다음으로 %s 변형"; + +/* No comment provided by engineer. */ +"Transform block…" = "블록 변형…"; + /* No comment provided by engineer. */ "Translate" = "번역"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter 사용자명"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "추가 아이디어에 대한 키워드 입력"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "이름 없는 사이트"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "순서 없는 목록"; @@ -8382,7 +7213,7 @@ "Unread" = "읽지 않음"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "응답 없음"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "저장되지 않은 변경 사항"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "제목없음"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "최대 7일 상당의 로그가 저장됩니다."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "미디어 업로드"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "사이트 아이콘 업로드"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "사이트 로고로 사용할 이미지를 업로드하거나, 미디어 라이브러리에서 하나를 고릅니다."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "업로드 실패"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "현재 위치 사용"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "블록 편집기 사용"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "이 링크를 활용하면 일일이 한 명씩 초대하지 않아도 여러 팀원이 팀에 참여할 수 있게 됩니다. 이 URL을 방문하는 사람은 누구나 조직에 가입할 수 있습니다. 다른 사람을 통해서 이 링크를 전달받은 사람도 가입할 수 있기 때문에 신뢰할 수 있는 사람에게만 공유하세요."; /* No comment provided by engineer. */ "Use this site" = "이 사이트 사용"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "이메일 주소 확인 - %@에 지침 전송"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "버전"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "%@ 버전을 사용할 수 있습니다."; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "비디오 미리 보기를 사용할 수 없음"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "비디오 캡션입니다. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "비디오 내보내기가 취소되었습니다."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "비디오 설정"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "비디오, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "방문자"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "취약한 테마 %1$@(버전 %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP 관리자"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "리더에 오신 것을 환영합니다."; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "세계적으로 가장 잘 알려진 웹사이트 제작기에 오신 것을 환영합니다."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "2단계 인증코드가 맞지 않습니다. 코드를 다시 확인하시고 입력하여 주시기 바랍니다."; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "위젯"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "공개되지 않습니다."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "이 강력한 편집기로 이동 중에도 글을 쓸 수 있습니다."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "워드프레스 앱 설정"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "답변 작성..."; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "코드 쓰기..."; /* Title for the writing section in site settings screen */ "Writing" = "쓰기"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "사파리에서 사이트를 방문할 때 화면 상단에 있는 막대에 사이트 주소가 보입니다."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "사이트를 만들었습니다!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "지금 새 글의 블록 편집기를 사용하고 있습니다. 잘하셨습니다! 구 버전 편집기로 변경하려면 '내 사이트'> '사이트 설정'으로 이동하세요."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[댓글]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "1시간"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "오디오"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "제작자: %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "연결"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "문서 개요"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "두 번 눌러 단위 변경하기"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "예: 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "예: 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "팔로워"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "이미지"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "갤러리의 이미지 %1$d\/%2$d개"; /* Text for related post cell preview */ "in \"Apps\"" = "\"앱\"에서"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "오늘 중"; -/* No comment provided by engineer. */ -"link" = "링크"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "\/"; -/* No comment provided by engineer. */ -"ordered list" = "순서있는 목록"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "기타"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "비밀번호"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "전화번호"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "글"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "요약"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "다음 항목이 삭제됩니다."; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "오늘"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "워드프레스, 사이트, 사이트, 블로그, 블로그"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "새 도메인 %@을(를) 설정 중입니다. 사이트를 마음껏 이용하세요!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• 도메인"; diff --git a/WordPress/Resources/nb.lproj/Localizable.strings b/WordPress/Resources/nb.lproj/Localizable.strings index 6de160831eac..e6172a68d91a 100644 --- a/WordPress/Resources/nb.lproj/Localizable.strings +++ b/WordPress/Resources/nb.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li ord, %2$li tegn"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s blokk-alternativer"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s-blokk. Tom"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s-blokk. Denne blokken har ugyldig innhold"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Addresselinje %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 kladd til innlegg lastet opp"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 time"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "En \"mer\"-knapp inneholder en nedtrekksmeny som viser deleknapper"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Ett fremhevet bilde er bestemt. Trykk for å endre det."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "En oversiktover nettsteder under denne kontoen."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Et stikkord med navn '%@' eksisterer allerede."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESSE"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Om"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Legg til nytt statistikk-kort"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Legg til i begynnelsen"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Legg til et emne"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Legg til et selvbetjent nettsted"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Legg til alt-tekst"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Legg ethvert emne"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Legger til bilde, eller avatar, for å representere den nye kontoen."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Legg til en avsnittsblokk"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Legg til side på webhotell"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Legg til stikkord"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Legger til funksjoner"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albumer"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Justering"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "En feil oppsto."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "En ukjent feil oppstod. Vennligst prøv igjen."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Godtar kommentaren."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Er du sikker på at du vil avbryte og forkaste endringene?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Er du sikker på at du vil oppdatere?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Fra 1. august 2018 tillater ikke Facebook lenger direkte deling av innlegg til Facebook-profiler. Tilkoblinger til Facebook-sider forblir derimot uendret."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Legg ved fil som lenke"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blokk kopiert"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blokk kuttet"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blokk duplisert"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blokkredigering aktivert"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blokker fiendtlige innloggingsforsøk"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blokk limt inn"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blokk fjernet"; + +/* No comment provided by engineer. */ +"Block settings" = "Blokkinnstillinger"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokker dette nettstedet"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Bloggens leser"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Uthevet"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Del opp kommentar i flere sider."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Bla gjennom alle temaer for å finne din perfekte tilpasning."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Knappestil"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "Av"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Kalkulerer..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Bildetekst"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Forsiktig!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategoritittel mangler."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Sertifikatfeil"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Endre passord"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Endring feilet"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Endrer brukernavn"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Sjekk feil under kjøp"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Velg domene"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Lukk kommentarer"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Lukk Meg-skjermen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kode"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Skjult, %i fullførte oppgaver, veksling utvider listen over disse oppgavene"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Tilkoblinger"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakt"; - /* Support email label. */ "Contact Email" = "Kontakt-epost"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontakt kundestøtte"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontakt oss på %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Fortsetter med Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Konverter til blokker"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Kopierte blokk"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Kopier lenke til kommentar"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Kopier blokk"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Kunne ikke sjekke sidekjøp."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Kunne ikke følge nettstedet"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Lag WordPress.com-nettsted"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Lag et stikkord"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Lag et nytt nettsted"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Lag en ny side for din business, ditt magasin, eller din personlige blogg; eller koble til en eksisterende WordPress-installasjon."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Lag et innlegg eller en side"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Tilpass sideinnstillinger for liker, kommentarer, følgere og mer."; +/* No comment provided by engineer. */ +"Cut block" = "Kutt blokk"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Mørk"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "Desember 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standard"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standard for nye innlegg"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Feil under sletting av siden"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Slett dette stikkordet"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Beskrivelse"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Skrivebord"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaljer"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Visningsnavn"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Vis all nettstedsstatistikk her. Konfigurer i WordPress-appen under nettsidestatistikk."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Vis statistikk for nettstedet ditt for i dag her. Konfigurer det i WordPress-appen i din nettstedsstatistkk."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dokument: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Dobbelttrykk for å gjenta siste endring"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Nedlastinger"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Kladder"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Dupliser blokk"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Øst"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Rediger %@-blokk"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Rediger blokkeringslisteord"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Rediger innlegg"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Rediger fil"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Rediger delingsknapper"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Epost sendt!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Tomt"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Tom URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Aktiver"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Gå inn i fullskjerm"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Skriv inn forskjellige ord over, og vi vil se etter en adresse som matcher dem."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Feil under oppdatering av sideinnstillinger"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Hendelse"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Utforsk pakker"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Eksporter innhold"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Fremhevet bilde ble ikke lastet"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Henter temaer..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Filtype"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fyll ut med passordbehandler"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Fornavn"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For enkelhets skyld har vi fylt inn kontaktinformasjonen fra din WordPress.com-konto. Dobbeltsjekk om det er denne informasjonen du vil bruke for dette domenet."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Fremover"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Gratis"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galleritekst. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Gi opp"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Gi nettstedet ditt et navn som gjenspeiler personligheten og emne for innholdet. Førsteinntrykk teller!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML-innhold"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Overskrift 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Overskrift 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Overskrift 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Hjelp"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Hjelp-ikon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Her er hvordan innlegget har gjort det så langt."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skjul tastatur"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold til moderering"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurra!\nNesten ferdig"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Hvis du fjerner %1$@, vil den brukeren ikke lenger ha tilgang til nettstedet, men innhold som ble laget av %2$@ vil bli værende på nettstedet."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Bildestørrelse"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Bildetekst. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Bildetittel"; - -/* No comment provided by engineer. */ -"Image width" = "Bildebredde"; +"Image title" = "Bildetittel"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Bilde, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Umiddelbart"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Forklar hva siden er om med noen få ord."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inaktiv"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Feil brukernavn eller passord. Prøv å skrive inn på nytt."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Sett inn medie"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Sett inn medier"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Sett inn valgte"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installasjon av den første utvidelsen på siden din kan ta opp til et minutt. I løpet av denne tiden vil du ikke kunne gjøre endringer på siden."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursiv"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Følg med på nettstedets ytelse."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Kjente brukere"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Merkelapp"; -/* No comment provided by engineer. */ -"Landscape" = "Landskap"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Språk"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Stor"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Nyeste innleggssammendrag"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Lær mer"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Lær mer om formatering av dato og tid."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "La oss hjelpe"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Nivå %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Lys"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Lenke til"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Lenke til eksisterende innhold"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Lenker i kommentarer"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Listestil"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Last"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Laster..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Lokal"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Logge ut av WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Innloggingsforespørselen utløp"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logger"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Mistet ditt passord?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hovednavigasjon"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Samsvar kontoer gjennom E-post"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Maksimal størrelse for opplastede bilder"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maksstørrelse på videoopplasting"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Medieforhåndsvisning feilet."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Mediefiler lastet opp (%ld filer)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Overvåk ditt nettsteds oppetid"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Måneder"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Mest populære tidspunkt"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Flytt ned"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Min profil"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Navn"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hjelp?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nytt blokkeringslisteord"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nye innlegg"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Nyeste"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Neste"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Neste trinn"; /* Accessibility label for the next notification button */ "Next notification" = "Neste varsel"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Neste periode"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Nei"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Ingen forbindelse"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Ingen objekter"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Ingen kommentarer ennå"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Ingen innlegg."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Ingen nylige innlegg"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Ingenting funnet."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Nummer"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Nummerert liste"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Se bare den mest relevante statistikken. Legg til innsikter tilpasset dine behov."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Uffda!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Åpne enhetsinnstillinger"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Åpne WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Åpne full medievelger"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Eller logg inn ved å _oppgi adressen til nettstedet_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Nummerert liste"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisasjon"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andre sider"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overstyrt"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Side"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Side tilbakestilt til Kladd"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Sider"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Foreldrekategori"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Lim inn URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Lim inn uten formattering"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Abonnementspakke"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Abonnementer"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Spill av video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Vennligst legg til litt innhold før du prøver å publisere."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Populære språk"; -/* No comment provided by engineer. */ -"Portrait" = "Portrett"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publiser"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Innleggskategorier"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Innleggsformat"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Innlegg tilbakestilt til Kladd"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Innlegg av %1$@, fra %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publisert i %1$@, den %2$@, av %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Innleggsaktivitet"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Innlegg"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Innleggsside"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Drevet av Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Forhåndsvis ditt nye nettsted for å se hva dine besøkende vil se."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Forrige varsel"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Forrige periode"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Hovedside"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Prosjekter"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Offentlig"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publiserer..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Kjøp"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-varsler har blitt slått av i iOS-innstillingene. Skru på \"Tillat varslinger\" for å skru dem på igjen."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Hurtigstart"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Vurder oss på App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Les på"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Koblet til på nytt"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Henviser"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Relaterte innlegg viser relevant innhold fra siden din under innleggene dine"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Fjern dette innlegget fra mine lagrede innlegg."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Fjern video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Endre størrelse og beskjær"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Oppløsning"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Reverser ventende endring"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rolle"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS sendt"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Velg avsnittsstil"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Trykk på %@ for å legge til dine konti på sosiale medier"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push-notifikasjoner"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Server bilder fra våre servere"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Sett som innleggsside"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Sett opp"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Vis overskift"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Vis passord"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Vis innhold av innlegg"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Vis seksjon"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Viser bare mine innlegg"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Viser statistikk for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Viser nettstedets innlegg"; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Registrer deg"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Nettstedsspråk"; -/* No comment provided by engineer. */ -"Site Logo" = "Nettstedslogo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Tidssone for nettstedet (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Nettstedstittelen ble endret"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Nettsteder"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Størrelse"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Sosialt"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Noen medieopplastninger feilet. Denne handlingen vil fjerne alle feilede medier fra innlegget.\nLagre likevel?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Beklager, det brukernavnet er ikke tilgjengelig."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Beklager, brukernavn kan kun inneholde små bokstaver (a-z) og tall."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Kildekode"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sør"; /* Label for showing the available disk space quota available for media */ "Space used" = "Lagringsplass brukt"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Gjør siden din raskere"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start på nytt"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start å skrive..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Gjennomstreking"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stump"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Sender inn for gjennomgang..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Tømte Spotlight-indeks med suksess"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Bytt nettsted"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systemstandard"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabell viser %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Stikkord"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Stikkord eksisterer allerede"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Fortell oss hva slags nettside du vil lage"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Vilkår for bruk"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Kun tekst"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Send koden på tekstmelding i stedet"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Takk for at du valgte %1$@ av %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Sertifikatet for denne serveren er ikke gyldig. Du kan potensielt koble til en server som later som den er «%@», som kan eksponere informasjon om deg.\n\nVil du stole på sertifikatet uansett?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoen kunne ikke legges til i Mediebiblioteket."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema aktivert"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Der oppstod en feil under tilkobling til %@. Koble til igjen for å fortsette å dele."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Denne appen trenger tilgang til enhetens mediebibliotek for å legge til bilder og\/eller videoer i innleggene dine. Vennligst endre personverninnstillingene hvis du ønsker dette."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatyrbilde"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Tittel"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Tittel for kategori er obligatorisk."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "For å legge til bilder eller videoer til innleggene dine."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "For å fortsette med denne Google-kontoen, vennligst logg inn med WordPress.com-passordet ditt først. Du vil kun bli spurt om dette én gang."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "For å ta bilder eller videoer til bruk i innleggene dine."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Veksle HTML-kildevisning"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Justerer den sorterte listestilen"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Antall ord"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Trafikk"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Oversett"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-brukernavn"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Skriv inn et nøkkelord for flere ideer"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Side uten navn"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Punktliste"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Uten tittel"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Opp til sju dager med logger blir lagret."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Last opp medier"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Last opp et nettstedsikon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Last opp et bilde eller velg et fra ditt mediebibliotek, som skal være din nettstedslogo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Opplasting feilet"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Bruk gjeldende plassering"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Bruk blokkredigering"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Bruk dette nettstedet"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Bekreft din e-postadresse - instruksjoner sendt til %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versjon"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Versjon %@ er tilgjengelig"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Videoforhåndsvisning ikke tilgjengelig"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Bildetekst for video. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Lesere"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Velkommen til leseren"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Oida, det var ikke en gyldig 2-trinnsautentiseringskode. Dobbeltsjekk koden din, og prøv igjen!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgeter"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Vil ikke vises offentlig."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Innstillinger for WorfPress-appen"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Skriver"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Sideadressen din vises i adresselinja øverst på skjermen når du besøker siden i Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Dit nettsted er opprettet!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Du bruker nå det blokkbaserte redigeringsverktøyet for nye innlegg — supert! Hvis du vil endre til det klassiske redigeringsverktøyet, gå til ‘Mitt nettsted’ > ‘Innstillinger for nettstedet’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[KOMMENTAR]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "én time"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "lyd"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "av %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "tilkoblinger"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "f.eks. 12345678"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "f.eks. 47"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "følger"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/min-nettsteds-adresse (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "bilde"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "i \"Apper\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "senere i dag"; -/* No comment provided by engineer. */ -"link" = "lenke"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "av"; -/* No comment provided by engineer. */ -"ordered list" = "sortert liste"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "annet"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "telefonnummer"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "innlegg"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "disse objektene vil bli slettet:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "i dag"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sider, side, blogger, blogg"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "ditt nye domene %@ blir satt opp. Siden din er så spent at den tar salto!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domener"; diff --git a/WordPress/Resources/nl.lproj/Localizable.strings b/WordPress/Resources/nl.lproj/Localizable.strings index 83dea706957c..b9242f336f00 100644 --- a/WordPress/Resources/nl.lproj/Localizable.strings +++ b/WordPress/Resources/nl.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-06 19:56:49+0000 */ +/* Translation-Revision-Date: 2021-05-12 15:01:37+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: nl */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ongeziene berichten"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d van %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s getransformeerd naar %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li woorden, %2$li karakters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s blokopties"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s blok. Leeg"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s blok. Dit blok heeft ongeldige inhoud"; -/* translators: %s: Number of comments */ -"%s comment" = "%s reactie"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' wordt niet volledig ondersteund"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adresregel %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Selecteer -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Een \"blok\" is een abstracte term dat wordt gebruikt om\n\/\/ markup eenheden te beschrijven die allemaal samen\n\/\/ de inhoud of de lay-out van een pagina vormen.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 concept bericht geüpload."; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potentiële bedreiging gevonden"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 uur"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Een \"meer\" knop bevat een dropdown met sharing knoppen"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "Een kalender met de berichten van je site."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "Een wolk van je meest gebruikte tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "Een verzameling blokken waarmee bezoekers op je site kunnen navigeren."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Een uitgelichte afbeelding is ingesteld. Klik om het te wijzigen."; /* Title for a threat */ "A file contains a malicious code pattern" = "Een bestand bevat een kwaadaardig codepatroon"; -/* No comment provided by engineer. */ -"A link to a category." = "Een link naar een categorie."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "Een link naar een aangepaste URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Een link naar een pagina."; - -/* No comment provided by engineer. */ -"A link to a post." = "Een link naar een bericht."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Een link naar een tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Een lijst van sites op dit account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Een aantal stappen om je te helpen, een groter publiek te krijgen voor je site."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "Een enkele kolom in een kolommenblok."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Een tag genaamd '%@' bestaat al."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRES"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Over"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Nieuwe statistiekenkaart toevoegen"; -/* No comment provided by engineer. */ -"Add Template" = "Template toevoegen"; - /* No comment provided by engineer. */ "Add To Beginning" = "Toevoegen aan begin"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Voeg een onderwerp toe"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Een blok toevoegen dat inhoud toont in meerdere kolommen, daarna de inhoudsblokken toevoegen die je wilt."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Een blok toevoegen dat inhoud van andere sites laat zien, zoals Twitter, Instagram, of YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Voeg een URL voor eigen CSS toe die geladen wordt in Lezer. Als je Calypso lokaal gebruikt, kan dit zoiets zijn: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Voeg een link naar een downloadbaar bestand toe."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Voeg een pagina, link, of ander element toe aan je navigatie."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Voeg een zelf-gehoste site toe"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Voeg alt-tekst toe"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Voeg een afbeelding of video toe met tekst eroverheen — geweldig voor headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Voeg elk onderwerp toe"; /* No comment provided by engineer. */ "Add caption" = "Bijschrift toevoegen"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Citaat toevoegen"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Aangepaste HTML-code toevoegen en voorbeeld bekijken tijdens het bewerken."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Voeg een afbeelding of avatar toe, die bij dit nieuwe account hoort."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Paragraafblok toevoegen"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Quote toevoegen"; - /* Add self-hosted site button */ "Add self-hosted site" = "Een zelf-gehoste site toevoegen"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Voeg tags toe"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Tekst toevoegen die je tussenruimte en tabs behoudt, en ook styling toestaat."; - /* No comment provided by engineer. */ "Add text…" = "Tekst toevoegen..."; -/* No comment provided by engineer. */ -"Add the author of this post." = "Voeg de auteur van dit bericht toe."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Voeg de datum van dit bericht toe."; - /* No comment provided by engineer. */ "Add this email link" = "Voeg deze e-mail link toe"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Voeg deze telefoon link toe"; -/* No comment provided by engineer. */ -"Add tracks" = "Tracks toevoegen"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Ruimte toevoegen tussen blokken en de hoogte aanpassen."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Sitefuncties toevoegen"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Centreer kolom naar het midden"; - -/* No comment provided by engineer. */ -"Align column left" = "Kolom naar links uitlijnen"; - -/* No comment provided by engineer. */ -"Align column right" = "Kolom naar rechts uitlijnen"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Uitlijning"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Er is een fout opgetreden."; -/* No comment provided by engineer. */ -"An example title" = "Een voorbeeld titel"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Een onbekende fout heeft zich voorgedaan. Probeer opnieuw."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Reactie goedkeuren."; -/* No comment provided by engineer. */ -"Archive Title" = "Archieftitel"; - -/* No comment provided by engineer. */ -"Archive title" = "Archieftitel"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archiefinstellingen"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Weet je zeker dat je wilt annuleren en wijzigingen wilt verwerpen?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Weet je zeker dat je wilt updaten?"; -/* No comment provided by engineer. */ -"Area" = "Gebied"; - /* An example tag used in the login prologue screens. */ "Art" = "Kunst"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Vanaf 1 augustus 2018 kunnen berichten niet meer direct op Facebook-profielen worden gedeeld. Koppelingen aan Facebook-pagina's blijven ongewijzigd."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Bestand als link bijvoegen"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audiospeler"; -/* No comment provided by engineer. */ -"Audio caption text" = "Tekst audio bijschrift"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio bijschrift. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Blok kan niet binnen zichzelf getoond worden."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blok gekopieerd"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blok geknipt"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blok gedupliceerd"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blok-editor ingeschakeld"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blokkeer verdachte inlogpogingen"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blok geplakt"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blok verwijderd"; + +/* No comment provided by engineer. */ +"Block settings" = "Blok instellingen"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokkeer deze site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's bezoeker"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cel tekst"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Vet"; -/* No comment provided by engineer. */ -"Border" = "Rand"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Deel reacties in threads op in meerdere pagina's."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Beschrijf kort de link om schermlezer-gebruikers te helpen."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Blader door al onze thema's om het thema te vinden dat perfect bij je past."; -/* No comment provided by engineer. */ -"Browse all templates" = "Blader door alle templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Blader door alle templates. Dit opent het template menu in het navigatie zijpaneel."; - /* No comment provided by engineer. */ "Browser default" = "Browser standaard"; @@ -1159,10 +1007,7 @@ "Button Style" = "Knop style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Knoppen weergegeven in een kolom."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Knoppen weergegeven in een rij."; +"ButtonGroup" = "Knoppen groep"; /* Label for the post author in the post detail. */ "By " = "Door"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Wordt berekend ..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Onderschrift"; -/* No comment provided by engineer. */ -"Captions" = "Bijschriften"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Voorzichtig!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Categorie"; -/* No comment provided by engineer. */ -"Category Link" = "Categorielink"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Categorie titel ontbreekt."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificaat fout"; -/* No comment provided by engineer. */ -"Change Date" = "Verander datum"; - /* Account Settings Change password label Main title */ "Change Password" = "Wijzig wachtwoord"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Wijzig blokpositie"; -/* No comment provided by engineer. */ -"Change column alignment" = "Wijzig uitlijning kolom"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Wijzigen mislukt"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Gebruikersnaam wijzigen"; -/* No comment provided by engineer. */ -"Chapters" = "Hoofdstukken"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Fout bij controleren van aankopen"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Kies domein"; -/* No comment provided by engineer. */ -"Choose existing" = "Kies bestaande"; - /* No comment provided by engineer. */ "Choose file" = "Kies bestand"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Wis logboek van alle oude activiteiten?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Aanpassingen wissen"; - /* No comment provided by engineer. */ "Clear search" = "Zoekopdracht wissen"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Reacties afsluiten"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Sluit de globale stijl zijbalk"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Sluit de zijbalk van de lijstweergave"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Sluiten instellingen zijbalk"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Sluit het ik-scherm"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is poëzie"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Ingevouwen, %i voltooide taken; door deze knop om te zetten, wordt de lijst met deze taken uitgevouwen"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Kleurrijke achtergronden"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Kolom %d tekst"; - -/* No comment provided by engineer. */ -"Column count" = "Aantal kolommen"; - -/* No comment provided by engineer. */ -"Column settings" = "Kolom instellingen"; - -/* No comment provided by engineer. */ -"Columns" = "Kolommen"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combineer foto's, video's en tekst om boeiende en tikbare verhalen te maken die je bezoekers geweldig zullen vinden."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Verbindingen"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "E-mail contactpersoon"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Neem contact op met support"; -/* No comment provided by engineer. */ -"Contact us" = "Neem contact op"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Neem contact op via %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Inhouds-structuur\nBlokken: %1$li, Woorden: %2$li, Karakters: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Ga verder met Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Converteren naar blokken"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Koken"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "URL gekopieerd naar klembord."; - /* No comment provided by engineer. */ "Copied block" = "Gekopieerd blok"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Kopieer link naar reactie"; /* No comment provided by engineer. */ -"Copy URL" = "Kopieer URL"; +"Copy block" = "Blok kopieren"; /* No comment provided by engineer. */ "Copy file URL" = "Kopieer bestands URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Site-aankopen konden niet gecontroleerd worden."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Kon site niet volgen"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Verhaal maken"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com site maken"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Maak een tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Maak een nieuwe site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Maak een nieuwe site voor jouw bedrijf, tijdschrift of persoonlijke blog; of verbind een bestaande WordPress installatie."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Maak een bericht of pagina"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Een bericht, pagina of verhaal maken"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Maak downloadbare back-up"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Momenteel aan het herstellen: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Aangepast bericht…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Je site-instellingen aanpassen voor Likes, Reacties, Volgt en meer."; +/* No comment provided by engineer. */ +"Cut block" = "Blok knippen"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Donker"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standaard"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Standaard URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standaardinstellingen voor nieuwe berichten"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Fout bij het verwijderen van site"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Menu verwijderen"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Verwijder deze tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Beschrijving"; -/* No comment provided by engineer. */ -"Descriptions" = "Beschrijvingen"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Ontwerp"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2355,94 +2089,7 @@ "Display Name" = "Weergavenaam"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Toon de categorieën van een bericht."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Toon het aantal reacties van een bericht."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Toon het reacties formulier van een bericht."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Toon de reacties van een bericht."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Toon samenvatting van bericht."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Toon de uitgelichte afbeelding van bericht."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Toon tags van het bericht."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Toon een pictogram die verwijst naar een social media profiel of site."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Toon als dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Toon auteur"; - -/* No comment provided by engineer. */ -"Display avatar" = "Toon avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "Toon berichtdatum"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor allertijden hier. Configureer in de WordPress-app in je site-statistieken."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Toon je site-statistieken voor vandaag hier. Configureer in de WordPress-app in je site-statistieken."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Maak je geen zorgen"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Dubbel tikken en vasthouden om dit menu-item naar boven of beneden te verplaatsen"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Dubbeltikken om het actieblad te openen om de afbeelding te bewerken, vervangen of wissen"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Dubbeltik om actieblad te openen met beschikbare opties"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Dubbeltikken om onderste blad te openen om de afbeelding te bewerken, vervangen of wissen"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Dubbeltik om onderste blad te openen met beschikbare opties"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Tik tweemaal om laatste wijziging opnieuw uit te voeren"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Back-up downloaden"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Bestand downloaden"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Concepten"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Dupliceer"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Dupliceer blok"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Oost"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Bewerk %@ blok"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Bewerk bloklijst woord"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Bewerk bericht"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Bestand bewerken"; /* No comment provided by engineer. */ "Edit focal point" = "Focuspunt bewerken"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Bewerk afbeelding"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Wijzig deel knoppen"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Bewerk eerst het bericht"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Bewerk met gebruik van de webeditor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-mail verzonden!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Leeg"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Lege URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Inschakelen"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Einddatum"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Volledig scherm openen"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "Vul in te sluiten URL hier in..."; /* Enter a custom value */ "Enter a custom value" = "Voeg een aangepaste waarde in"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Vul een wachtwoord in om dit bericht te beveiligen"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Voer hierboven andere woorden in, zodat wij op zoek kunnen gaan naar een adres dat overeenkomt."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Voer de inloggegevens voor je server in om terugzetten in één klik voor je back-ups in te schakelen."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Voer je server gegevens in om de dreiging op te lossen."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Voer je server gegevens in om bedreigingen op te lossen."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Fout bij updaten van snelheidsverbeteringen site"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Evenement"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Abonnementen verkennen"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Content exporteren"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Uitgelichte afbeelding kan niet worden geladen"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Thema's ophalen..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Bestandstype"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Invullen met wachtwoordmanager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Voornaam"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Alles oplossen"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Opgelost"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Bezig met bedreigingen oplossen"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Voetbal"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "We hebben je contactgegevens van WordPress.com alvast ingevuld om je op weg te helpen. Controleer of dit de juiste gegevens zijn die je voor dit domein wilt gebruiken."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Doorsturen"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Gratis"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galerij bijschrift. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "Ga aan de slag met je site"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "Raak geinspireerd"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Account informatie ophalen"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Opgeven"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Geef je site een naam die zijn personaliteit en onderwerp reflecteerd. De eerste indruk telt!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML inhoud"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Koptekst 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Koptekst 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Help"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help-icoon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Hier zie je hoe het bericht het tot nu toe heeft gedaan."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Toetsenbord verbergen"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Inhouden voor moderatie"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hoera!\nBijna klaar"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Hoe heeft Jetpack het opgelost?"; @@ -3709,7 +3080,7 @@ "I Like It" = "Ik vind dit leuk"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Ik ben zo geïnspireerd door het werk van fotograaf Cameron Karsten. Ik ga deze technieken zeker proberen bij mijn volgende"; /* Title of a button style */ "Icon & Text" = "Icon & Tekst"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Als je doorgaat met een Apple of Google account en je hebt nog geen WordPress.com account, dan maak je een account aan en ga je akkoord met onze _algemene voorwaarden_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Als je %1$@ verwijdert, kan deze gebruiker deze site niet meer openen. Alle inhoud die door %2$@ is gemaakt blijft op de site staan."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Afbeeldingsgrootte"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Onderschrift afbeelding. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "Afbeelding-instellingen"; /* Hint for image title on image settings. */ -"Image title" = "Titel voor afbeelding"; - -/* No comment provided by engineer. */ -"Image width" = "Afbeelding breedte"; +"Image title" = "Titel voor afbeelding"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Afbeelding, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Onmiddellijk"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Beschrijf in een paar woorden waar deze site over gaat."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactief"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Gebruikersnaam of wachtwoord onjuist. Probeer nogmaals je inloggegevens in te voeren."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Geïnfecteerd core-bestand"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Media invoeren"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Media invoeren"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Invoegen geselecteerd"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Het installeren van de eerste plugin op je site kan maximaal een minuut duren. Terwijl dit gebeurt, kun je geen wijzigingen aan je site aanbrengen."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introductie verhalen"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Cursief"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Houd de prestaties van je site bij."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Bekende gebruikers"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Landschap"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Taal"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Groot"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Samenvatting laatste bericht"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Meer leren"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Ontdek meer over datum- en tijdnotaties."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Leer meer over rollen"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Verouderde pictogrammen"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Laat ons je helpen"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Laat het mij weten als het klaar is!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Niveau %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Niveau %s. Leeg."; - /* Title for the app appearance setting for light mode */ "Light" = "Licht"; @@ -4202,19 +3489,7 @@ "Link To" = "Link naar"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "Link naar"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link naar bestaande inhoud"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in reacties"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Lijststijl"; -/* No comment provided by engineer. */ -"List text" = "Lijsttekst"; - /* Title of the screen that load selected the revisions. */ "Load" = "Laden"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Laden..."; -/* No comment provided by engineer. */ -"Loading…" = "Laden..."; - /* Status for Media object that is only exists locally. */ "Local" = "Lokaal"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in met je WordPress.com gebruikersnaam en wachtwoord."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Uitloggen van WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Aanmeldingsverzoek is verlopen"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Het lijkt er op dat Jetpack is geïnstalleerd op je site. Gefeliciteerd!\nLogin met je WordPress.com inloggegevens om statistieken en meldingen in te schakelen."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "Herhalen"; /* Title of a button. */ "Lost your password?" = "Wachtwoord vergeten?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hoofdnavigatie"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Koppel accounts via e-mail"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max. uploadgrootte bestand"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video upload-grootte"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "Media uploads"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "Mediagebied"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Media heeft geen geassocieerd bestand om te uploaden."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "Mediabestand"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Formaat van mediabestand (%1$@) is te groot om te uploaden. Maximaal toegestane bestandsgrootte is %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Voorvertoning media mislukt."; -/* No comment provided by engineer. */ -"Media settings" = "Media instellingen"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media geüpload (%ld bestanden)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor de uptime van je site"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Maanden"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Meer op WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Populairste tijd"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Omlaag verplaatsen"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Afbeelding naar voren verplaatsen"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Verplaats menu-item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Muziek"; -/* No comment provided by engineer. */ -"Muted" = "Gedempt"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Mijn profiel"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "Mijn toptien café's"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Naam"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigeert naar aanpassen van het verloop"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigatie (horizontaal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigatie (verticaal)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hulp nodig?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nieuw bloklijst woord"; -/* No comment provided by engineer. */ -"New Column" = "Nieuwe kolom"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nieuwe aangepaste app pictogrammen"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nieuwe berichten"; -/* No comment provided by engineer. */ -"New template part" = "Nieuw template onderdeel"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Nieuwste"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Volgende"; -/* No comment provided by engineer. */ -"Next Page" = "Volgende pagina"; - /* Table view title for the quick start section. */ "Next Steps" = "Volgende stappen"; /* Accessibility label for the next notification button */ "Next notification" = "Volgende notificatie"; -/* No comment provided by engineer. */ -"Next page link" = "Volgende pagina link"; - /* Accessibility label */ "Next period" = "Volgende periode"; -/* No comment provided by engineer. */ -"Next post" = "Volgende bericht"; - /* Label for a cancel button */ "No" = "Nee"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Geen verbinding"; -/* No comment provided by engineer. */ -"No Date" = "Geen datum"; - /* List Editor Empty State Message */ "No Items" = "Geen items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nog geen reacties"; -/* No comment provided by engineer. */ -"No comments." = "Geen reacties."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Geen berichten."; -/* No comment provided by engineer. */ -"No preview available." = "Geen voorbeeld beschikbaar."; - /* A message title */ "No recent posts" = "Geen recente berichten"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Kan je de e-mail niet vinden? Controleer je spam-map of ongewenste e-mail."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Opmerking: het automatisch afspelen van audio kan voor sommige bezoekers bruikbaarheidsproblemen veroorzaken."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Opmerking: Kolom lay-out kan verschillen tussen thema's en schermafmetingen"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Niets gevonden."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Nummer"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Genummerde lijst"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password knop"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Bekijk alleen de meest relevante statistieken. Voeg inzichten toe, zodat deze aansluiten bij je behoeften."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oeps!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open menu met blokacties"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open apparaat instellingen"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open de volledige mediakiezer"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Of login door _je site-adres in te voeren_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Geordende lijst"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisatie"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andere sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overschreven"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFOON"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagina"; -/* No comment provided by engineer. */ -"Page Link" = "Paginalink"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagina teruggezet naar Concepten"; @@ -5363,7 +4494,7 @@ "Page Settings" = "Pagina-instellingen"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "Paginascheiding"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Blok Pagina-einde. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paginatie"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraaf"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Bovenliggende categorie"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Plak URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Plak het blok na"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Plak zonder formattering"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Kies je favoriete homepage lay-out. Je kunt hem bewerken of later aanpassen."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Abonnement"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Abonnementen"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Speel video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Voeg enige inhoud toe voordat je probeert om te publiceren."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Populaire talen"; -/* No comment provided by engineer. */ -"Portrait" = "Portret"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publiceer"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Berichtcategorieën"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Post Format"; -/* No comment provided by engineer. */ -"Post Link" = "Berichtlink"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Bericht teruggezet naar Concepten"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Bericht door %1$@ van %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Bericht inhoud-instellingen"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Geplaatst in %1$@, op %2$@, door %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Posterafbeelding"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Berichtactiviteiten"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Berichten"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Berichtenpagina"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "Mogelijk gemaakt door Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "Vooraf laden"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Bekijk een voorbeeld van je nieuwe site om te zien wat je bezoekers zien.."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Vorige notificatie"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Vorige periode"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Hoofdsite"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projecten"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Openbaar"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publiceren..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Aankopen"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Pushmeldingen zijn uitgeschakeld in iOS-instellingen. Selecteer 'Meldingen toestaan' om ze weer in te schakelen."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Snel start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS-instellingen"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Beoordeel ons in de App Store"; /* No comment provided by engineer. */ "Read more" = "Lees meer"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Lees op"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Opnieuw verbinding gemaakt"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Gerelateerde berichten geven relevante content van je site weer onder je berichten"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Dit bericht verwijderen uit mijn opgeslagen berichten."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Video verwijderen"; @@ -6226,7 +5249,7 @@ "Replace file" = "Vervang bestand"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "Vervang afbeelding"; /* No comment provided by engineer. */ "Replace image or video" = "Afbeelding of video vervangen"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Afmeting wijzigen en bijsnijden"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolutie"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Site terugzetten"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Terugzetten naar dit punt"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Herbruikbare blokken zijn niet bewerkbaar in WordPress voor iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Wijziging in behandeling terugzetten"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rol"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Aantal rijen"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "Sms verzonden"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Alineastijl selecteren"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Selecteer %@ om je social media accounts toe te voegen"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Stuur pushmeldingen"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serveer afbeeldingen van onze servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Instellen als berichten pagina"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Instellen"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Koptekst weergeven"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "Toon gerelateerde berichten"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "Toon downloadknop"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Toon bericht inhoud"; -/* No comment provided by engineer. */ -"Show post counts" = "Toon aantal berichten"; - /* translators: Checkbox toggle label */ "Show section" = "Toon sectie"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Alleen mijn berichten worden getoond"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Statistieken tonen voor:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Toont de berichten van de site."; -/* No comment provided by engineer. */ -"Sidebars" = "Zijbalken"; - /* View title during the sign up process. */ "Sign Up" = "Aanmelden"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Site taal"; -/* No comment provided by engineer. */ -"Site Logo" = "Site-logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Siteslogan tekst"; +"Site security and performance\nfrom your pocket" = "Veiligheid en prestaties van de site\nvanuit je broekzak"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site tijdzone (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site titel is met succes gewijzigd"; -/* No comment provided by engineer. */ -"Site title text" = "Sitetitel tekst"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Te volgen sites"; -/* No comment provided by engineer. */ -"Six." = "Zes."; - /* Image size option title. */ "Size" = "Grootte"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Sociaal"; -/* No comment provided by engineer. */ -"Social Icon" = "Social pictogram"; - -/* No comment provided by engineer. */ -"Solid color" = "Effen kleur"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Er zijn uploads van media mislukt. Door deze handeling worden alle mislukte media uit het bericht verwijderd.\nToch opslaan?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Sorry, deze gebruikersnaam is niet beschikbaar."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Deze inhoud kon niet ingesloten worden."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, gebruikersnamen kunnen alleen kleine letters (a-z) en nummers bevatten."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Broncode"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Zuid"; /* Label for showing the available disk space quota available for media */ "Space used" = "Ruimte verbruikt"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Versnel jouw site"; -/* No comment provided by engineer. */ -"Square" = "Vierkant"; - /* Standard post format label */ "Standard" = "Standaard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Begin opnieuw"; -/* No comment provided by engineer. */ -"Start value" = "Beginwaarde"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Begin met schrijven..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Doorstrepen"; -/* No comment provided by engineer. */ -"Stripes" = "Strepen"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Inzenden voor beoordeling..."; -/* No comment provided by engineer. */ -"Subtitles" = "Ondertitels"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Spotlight-index succesvol gewist"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Ondersteuning"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Site wisselen"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systeemstandaard"; -/* No comment provided by engineer. */ -"Table" = "Tabel"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Inhoudsopgave"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabel toont %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag bestaat al"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Laat ons weten wat voor soort site je wilt maken"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Algemene voorwaarden"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Enkel tekst"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "SMS een code naar me toe"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Bedankt voor het kiezen van %1$@ door %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Het certificaat voor deze server is ongeldig. Je maakt mogelijk verbinding met een server die zich voordoet als “%@”, wat je vertrouwelijke informatie in gevaar kan brengen.\n\nWil je het certificaat toch vertrouwen?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "De samenvatting is verborgen."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "De samenvatting is zichtbaar."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Het bestand %1$@ bevat een kwaadaardig codepatroon"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "De video kon niet aan de mediabibliotheek toegevoegd worden."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "Het winterkoninkje
Verdient z'n brood
Geruisloos."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Thema geactiveerd"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Er is een probleem opgetreden met %@. Maak opnieuw verbinding om door te gaan met publiceren."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "Er is momenteel geen posterafbeelding geselecteerd"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Deze app heeft toestemming nodig om de mediabibliotheek van je apparaat te kunnen openen voor het toevoegen van foto's en\/of video's aan je berichten. Wijzig de privacyinstellingen als je dit wilt toestaan."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "Dit blok is verouderd. Gebruik in plaats hiervan het kolommenblok."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "Deze kolom waarde overschrijd het aanbevolen aantal en kan daarmee visuele problemen veroorzaken."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Dit domein is niet beschikbaar"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Bedreiging genegeerd."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Drie kolommen; gelijkmatig verdeeld"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Drie kolommen; brede midden kolom"; - -/* No comment provided by engineer. */ -"Three." = "Drie."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatuur"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Titel"; -/* No comment provided by engineer. */ -"Title & Date" = "Titel & datum"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Titel & samenvatting"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titel voor de categorie is verplicht."; -/* No comment provided by engineer. */ -"Title of track" = "Titel van track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Titel, datum & samenvatting"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Voor het toevoegen van foto's of video's aan je berichten."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Om verder te gaan met dit Google account, meld je eerst aan met je WordPress.com wachtwoord. Dit wordt maar één keer gevraagd."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "Om een reactie te tonen, geef het reactie ID in."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Voor het maken van foto's of video's die gebruikt kunnen worden in je berichten."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML-bron in-\/uitschakelen "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigatie"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle om een grote beginletter weer te geven."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Omschakelen naar geordende lijststijl"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Totaal aantal woorden"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks kunnen ondertitels, bijschriften, hoofdstukken of beschrijvingen zijn. Ze helpen je inhoud toegankelijker te maken voor een breder scala aan gebruikers."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Verkeer"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformeer %s naar"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformeer blok..."; + /* No comment provided by engineer. */ "Translate" = "Vertaal"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter gebruikersnaam"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Twee kolommen; gelijkmatig verdeeld"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Twee kolommen; één derde, twee derde verdeling"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Twee kolommen; twee derde, één derde verdeling"; - -/* No comment provided by engineer. */ -"Two." = "Twee."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type een trefwoord voor meer ideeën"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Naamloze site"; -/* No comment provided by engineer. */ -"Unordered" = "Ongeordend"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Ongeordende lijst "; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Zonder titel"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Template onderdeel zonder titel"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Logs worden zeven dagen lang opgeslagen."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Media uploaden"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload een bestand of selecteer er één vanuit je mediabibliotheek."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload een favicon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload een afbeelding of kies er een uit je slide bibliotheek om er je site-logo van te maken"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Uploaden mislukt"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Gebruik huidige locatie"; -/* No comment provided by engineer. */ -"Use URL" = "Gebruik URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Gebruik blok-editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Gebruik de klassieke WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Gebruik deze link om je teamleden aan boord te krijgen zonder ze een voor een uit te nodigen. Iedereen die deze URL bezoekt, kan zich aanmelden bij je organisatie, zelfs als ze de link van iemand anders hebben ontvangen, dus zorg ervoor dat je deze deelt met vertrouwde mensen."; /* No comment provided by engineer. */ "Use this site" = "Gebruik deze site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifieer je e-mailadres - instructies verzonden aan %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse tekst"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versie"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Versie %@ is beschikbaar"; -/* No comment provided by engineer. */ -"Vertical" = "Verticaal"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video preview niet beschikbaar"; -/* No comment provided by engineer. */ -"Video caption text" = "Video bijschrift tekst"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Onderschrift video. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Lezers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport hoogte (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Kwetsbaar thema: %1$@ (versie %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WAT deed hij, de grote god Pan,\nBeneden in het riet bij de rivier?\nHet verspreiden van ruïne en verstrooiingsverbod,\nSpetteren en peddelen met hoeven van een geit,\nEn het breken van de gouden lelies drijvend\n Met de drakenvlieg op de rivier."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welkom bij de Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welkom in de wondere wereld van blokken..."; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welkom bij de wereld's meest populaire sitebouwer."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Oeps, dat is geen geldige twee-factor verificatiecode. Controleer de code en probeer nogmaals."; -/* No comment provided by engineer. */ -"Wide Line" = "Brede lijn"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Breedte in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Zal niet publiekelijk getoond worden."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Met deze krachtige editor kun je onderweg publiceren."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Houtlijster zingt in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress app-instellingen"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Schrijf code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Schrijf bestandsnaam..."; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Schrijf een galerij bijschrift..."; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Schrijf voorgeformatteerde tekst..."; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Schrijf hier een shortcode..."; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Schrijf slogan voor site..."; - -/* No comment provided by engineer. */ -"Write site title…" = "Schrijf sitetitel..."; - -/* No comment provided by engineer. */ -"Write title…" = "Schrijf titel..."; - -/* No comment provided by engineer. */ -"Write verse…" = "Schrijf een vers..."; - /* Title for the writing section in site settings screen */ "Writing" = "Schrijven"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Je site-adres verschijnt in de balk boven aan het scherm wanneer je je site bezoekt in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Je site biedt geen ondersteuning voor het \"%s\" blok. Je kunt dit blok laten staan of het helemaal verwijderen."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Je site biedt geen ondersteuning voor het \"%s\" blok. Je kunt dit blok laten staan, de inhoud converteren naar een Aangepast HTML-blok of het helemaal verwijderen."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Je site biedt geen ondersteuning voor dit blok."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Je site is gemaakt!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Je gebruikt nu de blokeditor voor nieuwe berichten. Geweldig! Als je toch liever de klassieke editor gebruikt, ga dan naar 'Mijn site' > 'Site-instellingen'."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[REACTIE]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "een uur"; -/* No comment provided by engineer. */ -"archive" = "archief"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "ongeordende lijst"; - /* Used when displaying author of a plugin. */ "by %@" = "door %@"; -/* No comment provided by engineer. */ -"cite" = "citaat"; - /* The menu item to select during a guided tour. */ "connections" = "verbindingen"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "beschrijving"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "documentoverzicht"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "dubbel tik om de eenheid te wijzigen"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "bijv. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "bijv. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "voorbeeld.nl"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "volger"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/mijn-site-adres (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "afbeelding"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "afbeelding %1$d van %2$d in galerij"; /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "later vandaag"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "film"; - -/* No comment provided by engineer. */ -"music" = "muziek"; - -/* No comment provided by engineer. */ -"navigation" = "navigatie"; - -/* No comment provided by engineer. */ -"next page" = "volgende pagina"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "van"; -/* No comment provided by engineer. */ -"ordered list" = "Gesorteerde lijst"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "andere"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "wachtwoord"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "Telefoonnummer"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "gedicht"; - -/* No comment provided by engineer. */ -"poetry" = "poëzie"; - -/* No comment provided by engineer. */ -"post" = "bericht"; - -/* No comment provided by engineer. */ -"posts" = "berichten"; - -/* No comment provided by engineer. */ -"read more" = "lees meer"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "rij"; - -/* No comment provided by engineer. */ -"section" = "sectie"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "geluid"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitel"; - /* No comment provided by engineer. */ "summary" = "samenvatting"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Deze items worden verwijderd:"; -/* No comment provided by engineer. */ -"title" = "titel"; - /* Today */ "today" = "vandaag"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "je nieuwe domein %@ wordt ingesteld. Je site maakt salto's van opwinding!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domeinen"; diff --git a/WordPress/Resources/pl.lproj/Localizable.strings b/WordPress/Resources/pl.lproj/Localizable.strings index 90ba964d1bb8..9d29d0bc74f5 100644 --- a/WordPress/Resources/pl.lproj/Localizable.strings +++ b/WordPress/Resources/pl.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Informacje"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Add alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Add self-hosted site"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albums"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alignment"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Break comment threads into multiple pages."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Caption"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Careful!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategoria"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Brakuje nazwy kategorii."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certificate error"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Close commenting"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Create WordPress.com site"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Defaults for New Posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Description"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Details"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Display Name"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Wschód"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Edytuj wpis"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Wiadomość e-mail została wysłana!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Pusty adres URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Featured Image did not load"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Fetching Themes..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "First Name"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Forward"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Free"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Give Up"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Pomoc"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Hide keyboard"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Hold for Moderation"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Image Size"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Image, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Natychmiast"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "In a few words, explain what this site is about."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Błędny login lub hasło. Spróbuj ponownie."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Italic"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Known Users"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "Poziomo"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Duży"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Latest Post Summary"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Dowiedz się więcej"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link To"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links in comments"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Ładowanie..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Lokalny"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Login Request Expired"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Lost your password?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Main Navigation"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Max Image Upload Size"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Months"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "My Profile"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Potrzebujesz wsparcia?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Newest"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Next"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Nie"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "No Connection"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "No Items"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "No comments yet"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "No recent posts"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Oops!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Ordered List"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Other Sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Strona"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paging"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Kategoria nadrzędna"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popularne języki"; -/* No comment provided by engineer. */ -"Portrait" = "Pionowo"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Post Categories"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format wpisu"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post Restored to Drafts"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Wpisy"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekty"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publiczny"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Zakupy"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Rate us on the App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Related Posts displays relevant content from your site below your posts"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Zmień wielkość lub przytnij"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Sent"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Show Header"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Site Language"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Size"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Sorry, that username is unavailable."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Sorry, usernames can only contain lowercase letters (a-z) and numbers."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Source Code"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Południe"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Support"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Switch Site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Text Only"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Thanks for choosing %@ by %@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Theme Activated"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Thumbnail"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Tytuł"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Wymagane jest nadanie kategorii nazwy."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "To add photos or videos to your posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Unordered List"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Upload failed"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Use this site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Nie zostanie publicznie wyświetlony."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Pisanie"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "an hour"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "image"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "later today"; -/* No comment provided by engineer. */ -"link" = "odnośnik"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "lista uporządkowana"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "today"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/pt-BR.lproj/Localizable.strings b/WordPress/Resources/pt-BR.lproj/Localizable.strings index 048593f976af..800004d782f2 100644 --- a/WordPress/Resources/pt-BR.lproj/Localizable.strings +++ b/WordPress/Resources/pt-BR.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-06 20:58:40+0000 */ +/* Translation-Revision-Date: 2021-05-12 14:51:18+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: pt_BR */ @@ -19,10 +19,10 @@ "\"More\" Button" = "Botão \"Mais\""; /* Description for the restore action. $1$@ is a placeholder for the selected date. */ -"%1$@ is the selected point for your restore." = "%1$@ is the selected point for your restore."; +"%1$@ is the selected point for your restore." = "%1$@. Você escolheu voltar o site para este ponto."; /* Description for the download backup action. $1$@ is a placeholder for the selected date. */ -"%1$@ is the selected point to create a downloadable backup." = "%1$@ is the selected point to create a downloadable backup."; +"%1$@ is the selected point to create a downloadable backup." = "%1$@ é o ponto selecionado para criar um backup para baixar."; /* Label displaying the author and post title for a Comment. %1$@ is a placeholder for the author. %2$@ is a placeholder for the post title. */ "%1$@ on %2$@" = "%1$@ em %2$@"; @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d posts não visualizados"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d de %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformado em %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s é %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li palavras, %2$li caracteres"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "Opções do bloco %s"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloco %s. Vazio."; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloco %s. Este bloco tem conteúdo inválido."; -/* translators: %s: Number of comments */ -"%s comment" = "%s comentário"; - -/* translators: %s: name of the social service. */ -"%s label" = "Rótulo de %s"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' não é totalmente suportado"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Linha de endereço %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Selecione -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Um \"bloco\" é um termo abstrato\n\/\/ para descrever estas unidades de marcação\n\/\/ quando somados, formam o conteúdo\n\/\/ ou layout da página.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 rascunho de post enviado"; @@ -257,103 +247,34 @@ "1 post, 1 file not uploaded" = "1 post, 1 arquivo não enviado"; /* Message for a notice informing the user their scan completed and 1 threat was found */ -"1 potential threat found" = "Uma potencial ameaça foi encontrada"; - -/* No comment provided by engineer. */ -"100" = "100"; +"1 potential threat found" = "Uma possível ameaça foi encontrada"; /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "menos de 1 hora"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Um botão \"mais\" contém uma lista suspensa que mostra botões de compartilhamento"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Uma imagem destacada está configurada. Toque para alterá-la."; /* Title for a threat */ -"A file contains a malicious code pattern" = "A file contains a malicious code pattern"; - -/* No comment provided by engineer. */ -"A link to a category." = "Um link para uma categoria."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Um link para uma página."; - -/* No comment provided by engineer. */ -"A link to a post." = "Um link para um post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Um link para uma tag."; +"A file contains a malicious code pattern" = "Um arquivo contém um padrão de código malicioso"; /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Uma lista de sites dessa conta."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Uma lista de passos para ajudar a aumentar a audiência de seu site."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Uma tag com nome '%@' já existe."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "Endereço"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Sobre"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Adicionar novo cartão de estatísticas"; -/* No comment provided by engineer. */ -"Add Template" = "Adicionar modelo"; - /* No comment provided by engineer. */ "Add To Beginning" = "Adicionar no início"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Adicionar um tópico"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Adicione uma URL de CSS personalizada aqui para ser carregada no Leitor. Se você estiver rodando o Calypso localmente, pode ser algo como: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Adicionar um site auto-hospedado"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Adicionar texto alternativo"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Adicionar novo tópico"; /* No comment provided by engineer. */ "Add caption" = "Adicione uma legenda"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Adicionar citação"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Adicionar uma imagem ou avatar para representar essa nova conta."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Adicionar bloco de parágrafo"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Adicionar citação"; - /* Add self-hosted site button */ "Add self-hosted site" = "Adicionar site auto-hospedado"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Adicionar tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Adicionar texto..."; -/* No comment provided by engineer. */ -"Add the author of this post." = "Adicionar o autor desse post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Adicionar a data desse post."; - /* No comment provided by engineer. */ "Add this email link" = "Adicionar este e-mail como link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Adicionar este telefone como link"; -/* No comment provided by engineer. */ -"Add tracks" = "Adicionar faixas"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Adicionar espaço vazio entre blocos e personalizar sua altura."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adicionando recursos ao site"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Álbuns"; -/* No comment provided by engineer. */ -"Align column center" = "Alinhar coluna ao centro"; - -/* No comment provided by engineer. */ -"Align column left" = "Alinhar coluna à esquerda"; - -/* No comment provided by engineer. */ -"Align column right" = "Alinhar coluna à direita"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alinhamento"; @@ -681,7 +547,7 @@ "All languages" = "Todos os idiomas"; /* Description for the Jetpack Backup Restore message. %1$@ is a placeholder for the selected date. */ -"All of your selected items are now restored back to %1$@." = "All of your selected items are now restored back to %1$@."; +"All of your selected items are now restored back to %1$@." = "Todos os itens selecionados foram retrocedidos para %1$@."; /* Title of the congratulation screen that appears when all the tasks are completed */ "All tasks complete" = "Todas as tarefas concluídas"; @@ -716,7 +582,7 @@ "Allow this connection to be used by all admins and users of your site." = "Permitir que esta conexão seja usada por todos os administradores e usuários do seu site."; /* Allowlisted IP Addresses Title */ -"Allowlisted IP Addresses" = "Allowlisted IP Addresses"; +"Allowlisted IP Addresses" = "Endereços IP permitidos"; /* Jetpack Settings: Allowlisted IP addresses */ "Allowlisted IP addresses" = "Endereços IP permitidos"; @@ -738,7 +604,7 @@ "An active internet connection is required" = "É necessário estar conectado à internet"; /* Error message shown when trying to view the scan status and there is no internet connection. */ -"An active internet connection is required to view Jetpack Scan" = "An active internet connection is required to view Jetpack Scan"; +"An active internet connection is required to view Jetpack Scan" = "Uma conexão ativa com a internet é necessária para exibir o Jetpack Scan"; /* Error message shown when trying to view the Activity Log feature and there is no internet connection. */ "An active internet connection is required to view activities" = "É necessária uma conexão à internet para ver as atividades"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ocorreu um erro."; -/* No comment provided by engineer. */ -"An example title" = "Um título de exemplo"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ocorreu um erro desconhecido. Tente novamente."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprova o comentário."; -/* No comment provided by engineer. */ -"Archive Title" = "Título do arquivo"; - -/* No comment provided by engineer. */ -"Archive title" = "Título do arquivo"; - -/* No comment provided by engineer. */ -"Archives settings" = "Configurações dos arquivos"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Tem certeza que deseja cancelar ou descartar as alterações?"; @@ -868,7 +722,7 @@ "Are you sure you want to permanently delete this item?" = "Tem certeza de que deseja excluir permanentemente este item?"; /* Message of the confirmation alert when deleting a page from the trash. */ -"Are you sure you want to permanently delete this page?" = "Are you sure you want to permanently delete this page?"; +"Are you sure you want to permanently delete this page?" = "Tem certeza de que deseja excluir esta página permanentemente?"; /* Message of the confirmation alert when deleting a post from the trash. */ "Are you sure you want to permanently delete this post?" = "Tem certeza de que deseja excluir permanentemente esse post?"; @@ -887,7 +741,7 @@ "Are you sure you want to remove %1$@?" = "Tem certeza de que deseja remover %1$@?"; /* Description for the confirm restore action. %1$@ is a placeholder for the selected date. */ -"Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then."; +"Are you sure you want to restore your site back to %1$@? This will remove content and options created or changed since then." = "Tem certeza de que deseja retroceder seu site para %1$@? Isto removerá todo o conteúdo e opções criadas ou alteradas desde então."; /* Title of the message shown when the user taps Save as Draft while editing a post. Options will be Save Now and Keep Editing. */ "Are you sure you want to save as draft?" = "Tem certeza de que deseja salvar como rascunho?"; @@ -902,7 +756,7 @@ "Are you sure you want to submit for review?" = "Tem certeza de que deseja enviar para revisão?"; /* Message of the trash page confirmation alert. */ -"Are you sure you want to trash this page?" = "Are you sure you want to trash this page?"; +"Are you sure you want to trash this page?" = "Tem certeza de que deseja mover esta página para a lixeira?"; /* Message of the trash confirmation alert. */ "Are you sure you want to trash this post?" = "Você tem certeza de que deseja enviar este post para a lixeira?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Tem certeza de que deseja atualizar?"; -/* No comment provided by engineer. */ -"Area" = "Área"; - /* An example tag used in the login prologue screens. */ "Art" = "Arte"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "A partir de 1º de agosto de 2018, o Facebook não permite mais o compartilhamento direto de posts em perfis do Facebook. As conexões para as páginas do Facebook permanecem inalteradas."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Proporção"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Anexar arquivo como link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Reprodutor de áudio"; -/* No comment provided by engineer. */ -"Audio caption text" = "Texto da legenda de áudio"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Legenda do áudio. %s"; @@ -1034,7 +879,7 @@ "Backup" = "Backup"; /* Title for error displayed when preparing a backup fails. */ -"Backup failed" = "Backup failed"; +"Backup failed" = "Falha no backup"; /* This description is used to set the accessibility label for the Period chart, with Comments selected. */ "Bar Chart depicting Comments for the selected period." = "Gráfico exibindo comentários do período selecionado."; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "O bloco não pode ser renderizado dentro de si mesmo."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Bloco copiado"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Bloco recortado"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Bloco duplicado"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "O editor de blocos está ativado"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquear tentativas maliciosas de acesso"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Bloco colado"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Bloco removido"; + +/* No comment provided by engineer. */ +"Block settings" = "Configurações do bloco"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Bloquear este site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Leitores do blog"; -/* No comment provided by engineer. */ -"Body cell text" = "Texto da célula do corpo"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Negrito"; -/* No comment provided by engineer. */ -"Border" = "Borda"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Dividir threads de comentários em várias páginas."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Procurar em todos os nossos temas para encontrar um perfeito para você."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Padrão do navegador"; @@ -1159,10 +1007,7 @@ "Button Style" = "Estilo do botão"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Botões exibidos em uma coluna."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Botões exibidos em uma linha."; +"ButtonGroup" = "Grupo de botões"; /* Label for the post author in the post detail. */ "By " = "Por"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculando..."; -/* No comment provided by engineer. */ -"Call to Action" = "Chamada para ação"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Câmera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Legenda"; -/* No comment provided by engineer. */ -"Captions" = "Legendas"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Cuidado!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; -/* No comment provided by engineer. */ -"Category Link" = "Link da categoria"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta o título da categoria."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Erro do certificado"; -/* No comment provided by engineer. */ -"Change Date" = "Alterar a data"; - /* Account Settings Change password label Main title */ "Change Password" = "Alterar senha"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Alterar posição do bloco"; -/* No comment provided by engineer. */ -"Change column alignment" = "Alterar alinhamento da coluna"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Falha na alteração"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Alterando nome de usuário"; -/* No comment provided by engineer. */ -"Chapters" = "Capítulos"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Erro na verificação de compras"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Escolha o domínio"; -/* No comment provided by engineer. */ -"Choose existing" = "Escolher existente"; - /* No comment provided by engineer. */ "Choose file" = "Escolher arquivo"; @@ -1478,10 +1302,10 @@ "Choose layout" = "Escolha um modelo"; /* Downloadable items: general section title */ -"Choose the items to download" = "Choose the items to download"; +"Choose the items to download" = "Escolha os itens para baixar"; /* Restorable items: general section title */ -"Choose the items to restore" = "Choose the items to restore"; +"Choose the items to restore" = "Escolha os itens para restaurar"; /* No comment provided by engineer. */ "Choose video" = "Escolher vídeo"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Limpar resumos de atividades antigos?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Liberar personalizações"; - /* No comment provided by engineer. */ "Clear search" = "Limpar pesquisa"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Encerrar comentários"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Fechar barra lateral de estilos globais"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Fechar barra lateral de visualização em lista"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Fechar barra lateral de configurações"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Fechar a tela Eu"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Código"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Código é poesia"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Recolhido, %i tarefas completadas. Expandir a lista dessas tarefas."; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Fundos coloridos"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Texto da coluna %d"; - -/* No comment provided by engineer. */ -"Column count" = "Quantidade de colunas"; - -/* No comment provided by engineer. */ -"Column settings" = "Configurações de colunas"; - -/* No comment provided by engineer. */ -"Columns" = "Colunas"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combinar blocos em um grupo."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine fotos, vídeos e texto para criar stories clicáveis e com alto engajamento que seus visitantes vão adorar."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Conexões"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contato"; - /* Support email label. */ "Contact Email" = "E-mail de contato"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contate o suporte"; -/* No comment provided by engineer. */ -"Contact us" = "Entre em contato"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Entre em contato em %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Estrutura do conteúdo\nBlocos: %1$li, Palavras: %2$li, Caracteres: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "O conteúdo antes deste bloco será mostrado no resumo na sua página de arquivos."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Prosseguindo with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Converter para blocos"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Converter para lista ordenada"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Converter para lista não ordenada"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Culinária"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copiar URL para área de transferência."; - /* No comment provided by engineer. */ "Copied block" = "Bloco copiado"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copiar link para o comentário"; /* No comment provided by engineer. */ -"Copy URL" = "Copiar URL"; +"Copy block" = "Copiar bloco"; /* No comment provided by engineer. */ "Copy file URL" = "Copiar URL do arquivo"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Não foi possível verificar as compras do site."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Não foi possível editar a imagem. %s"; - /* Title of a prompt. */ "Could not follow site" = "Não foi possível seguir o site"; @@ -1901,10 +1671,10 @@ "Could not toggle Follow: missing blogURL attribute" = "Não foi possível alternar o status: faltando atributo blogURL"; /* An error description explaining that Seen could not be toggled due to a missing feedItemID. */ -"Could not toggle Seen: missing feedItemID." = "Could not toggle Seen: missing feedItemID."; +"Could not toggle Seen: missing feedItemID." = "Não foi possível alternar Lido: faltando feedItemID."; /* An error description explaining that Seen could not be toggled due to a missing postID. */ -"Could not toggle Seen: missing postID." = "Could not toggle Seen: missing postID."; +"Could not toggle Seen: missing postID." = "Não foi possível alternar Lido: faltando postID."; /* Title of a prompt. */ "Could not unfollow site" = "Não foi possível parar de seguir o site"; @@ -1913,7 +1683,7 @@ "Could not unfollow the site at the address specified." = "Não foi possível parar de seguir o site no endereço especificado."; /* The app failed to unsubscribe from the comments for the post */ -"Could not unsubscribe from comments" = "Could not unsubscribe from comments"; +"Could not unsubscribe from comments" = "Não foi possível deixar de assinar os comentários"; /* This is the text we display to the user when we ask them for a review and they've indicated they don't like the app */ "Could you tell us how we could improve?" = "Poderia nos dizer o que podemos fazer para melhorar?"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Criar um post de Story"; -/* No comment provided by engineer. */ -"Create Table" = "Criar tabela"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Criar site no WordPress.com"; @@ -2007,38 +1774,23 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Criar uma tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Criar uma lista com marcadores ou numerada."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Criar um novo site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Crie um novo site para o seu negócio, revista ou blog pessoal ou conecte uma instalação WordPress já existente."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Crie uma nova parte de modelo ou escolha uma existente na lista."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Criar um post ou página"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Criar um post, página ou story"; -/* No comment provided by engineer. */ -"Create a template part" = "Criar uma parte de modelo"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ -"Create downloadable backup" = "Create downloadable backup"; +"Create downloadable backup" = "Criar um arquivo de backup para baixar"; /* Button title for download backup action */ -"Create downloadable file" = "Create downloadable file"; +"Create downloadable file" = "Criar arquivo para baixar"; /* Customize Insights description */ "Create your own customized dashboard and choose what reports to see. Focus on the data you care most about." = "Crie seu painel personalizado e escolha quais relatórios visualizar. Foque nas informações que você mais se importa."; @@ -2080,19 +1832,16 @@ "Current value is %s" = "O valor atual é %s"; /* Title for the Jetpack Backup Status message. */ -"Currently creating a downloadable backup of your site" = "Currently creating a downloadable backup of your site"; +"Currently creating a downloadable backup of your site" = "Criando um arquivo de backup para baixar no momento"; /* Title for the Jetpack Restore Status message. */ -"Currently restoring site" = "Currently restoring site"; +"Currently restoring site" = "Restaurando o site no momento"; /* Title of the cell displaying status of a rewind in progress */ "Currently restoring your site" = "Seu site está sendo restaurado"; /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ -"Currently restoring: %1$@" = "Currently restoring: %1$@"; - -/* No comment provided by engineer. */ -"Custom Link" = "Link personalizado"; +"Currently restoring: %1$@" = "Restaurando no momento: %1$@"; /* Placeholder for Invite People message field. */ "Custom message…" = "Mensagem personalizada…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personalize as configurações do seu site, como Curtidas, Comentários, Seguidas e muito mais."; +/* No comment provided by engineer. */ +"Cut block" = "Recortar bloco"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Escuro"; @@ -2130,7 +1882,7 @@ "Dashboard" = "Painel"; /* Title for a threat that includes the number of database rows affected */ -"Database %1$d threats" = "Database %1$d threats"; +"Database %1$d threats" = "%1$d ameaças no banco de dados"; /* Title for a threat */ "Database threat" = "Ameaça no banco de dados"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "Dezembro 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "6 de dezembro de 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Padrão"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL padrão"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Padrão com base na área (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Padrões para novos posts"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Erro de exclusão do site"; -/* No comment provided by engineer. */ -"Delete column" = "Excluir coluna"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Excluir menu"; -/* No comment provided by engineer. */ -"Delete row" = "Excluir linha"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Excluir esta tag"; @@ -2243,25 +1983,19 @@ "Deny" = "Negar"; /* No comment provided by engineer. */ -"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Describe the purpose of the image. Leave empty if the image is purely decorative. "; +"Describe the purpose of the image. Leave empty if the image is purely decorative. " = "Descreva o propósito da imagem. Não preencha se a imagem não é uma parte essencial do conteúdo."; /* Label for the description for a media asset (image / video) Section header for tag name in Tag Details View. Title of section that contains plugins' description */ "Description" = "Descrição"; -/* No comment provided by engineer. */ -"Descriptions" = "Descrições"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Computadores e telas maiores"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Desanexar blocos da parte de modelo"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalhes"; @@ -2277,7 +2011,7 @@ /* Title. A call to action to disable invite links. Title. Title of a prompt to disable group invite links. */ -"Disable invite link" = "Disable invite link"; +"Disable invite link" = "Desativar link de convite"; /* Adjective. Comment threading is disabled. */ "Disabled" = "Desativado"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Nome de exibição"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Exibir um widget antigo."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Exibir uma lista de todas as categorias."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Exibir uma lista de todas as páginas."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Exibir uma lista dos seus comentários mais recentes."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Exibir uma lista dos posts mais recentes."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Exibir um arquivo mensal de seus posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Exibir as categorias de um post."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Exibir a contagem de comentários de um post."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Exibir o formulário de comentários de um post."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Exibir os comentários de um post."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Exibir o resumo de um post."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Exibir a imagem destacada de um post."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Exibir as tags de um post."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Exibir ícone com link para sua rede sociail ou site."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Exibir como lista suspensa"; - -/* No comment provided by engineer. */ -"Display author" = "Exibir autor"; - -/* No comment provided by engineer. */ -"Display avatar" = "Exibir avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Exibir trechos de código respeitando seu espaçamento e tabulação."; - -/* No comment provided by engineer. */ -"Display date" = "Exibir data"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Exibir posts a partir de qualquer feed RSS ou Atom."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Exibir resumo"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Exibir ícones com links para suas redes sociais ou sites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Exibir acessar como um formulário"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Exibir múltiplas imagens em uma bonita galeria."; - /* No comment provided by engineer. */ "Display post date" = "Exibir a data do post"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Exibir o título do arquivo com base no objeto consultado."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Exibir a descrição das categorias, tags e taxonomias personalizadas ao ver um arquivo."; - -/* No comment provided by engineer. */ -"Display the query title." = "Exibir o título da consulta."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Exibir o título como um link."; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Mostrar as estatísticas do seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Mostrar as estatísticas de hoje de seu site aqui. Configure no aplicativo do WordPress nas estatísticas do site."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Exibe uma lista de números de páginas para paginação."; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Exibe uma lista de posts resultantes de uma consulta."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Exibe o conteúdo de um post ou página."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Exibe o link dos comentários do post atual."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Exibe o link do post anterior ou próximo em relação ao post atual."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Exibe o link da próxima página de posts."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Exibe o link do post posterior ao post atual."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Exibe o link do post anterior ao post atual."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Exibe o link da página de posts anterior."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Exibe o título do post, página ou outro tipo de conteúdo."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Documento: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Não se preocupe"; -/* No comment provided by engineer. */ -"Dots" = "Pontos"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Toque duas vezes e segure para mover este item para cima ou para baixo"; @@ -2559,10 +2167,16 @@ "Double tap to move the block up" = "Toque duas vezes para mover o bloco para cima"; /* No comment provided by engineer. */ -"Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +"Double tap to open Action Sheet to edit, replace, or clear the image" = "Toque duas vezes para abrir a janela de ações para editar, substituir ou remover a imagem"; + +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Toque duas vezes para abrir a janela de ações com as opções disponíveis"; /* No comment provided by engineer. */ -"Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +"Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Toque duas vezes para abrir a janela inferior para editar, substituir ou remover a imagem"; + +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Toque duas vezes para abrir a janela inferior com as opções disponíveis"; /* No comment provided by engineer. */ "Double tap to redo last change" = "Toque duas vezes para refazer a última alteração"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Baixar backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Configurações do botão de download"; - -/* No comment provided by engineer. */ -"Download button text" = "Texto do botão de download"; - /* Title for the button that will download the backup file. */ "Download file" = "Baixar arquivo"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Baixar os seus modelos e as respectivas partes."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Rascunhos"; -/* No comment provided by engineer. */ -"Drop cap" = "Letra capitular"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicar"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURA)\nJanela, muito pequena à distância, iluminada.\nTudo ao redor esta é uma tela quase totalmente preta. Agora, a câmera se move lentamente em direção à janela que é quase um selo postal no quadro, aparecem outras formas;"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicar bloco"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Leste"; @@ -2651,11 +2253,8 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Editar bloco %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Editar %s"; - /* Blocklist Keyword Edition Title */ -"Edit Blocklist Word" = "Edit Blocklist Word"; +"Edit Blocklist Word" = "Editar palavra da lista de bloqueios"; /* No comment provided by engineer. */ "Edit Comment" = "Editar comentário"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editar post"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Editar URL do RSS"; - -/* No comment provided by engineer. */ -"Edit URL" = "Editar URL"; - /* No comment provided by engineer. */ "Edit file" = "Editar arquivo"; /* No comment provided by engineer. */ "Edit focal point" = "Editar ponto focal"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Editar galeria de imagem"; - /* No comment provided by engineer. */ "Edit image" = "Editar imagem"; @@ -2695,14 +2285,8 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editar botões de compartilhamento"; -/* No comment provided by engineer. */ -"Edit table" = "Editar tabela"; - /* Button title displayed in popup indicating that the user edits the post first */ -"Edit the post first" = "Edit the post first"; - -/* No comment provided by engineer. */ -"Edit track" = "Editar faixa"; +"Edit the post first" = "Editar o post primeiro"; /* No comment provided by engineer. */ "Edit using web editor" = "Editar usando o editor web"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-mail enviado!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Incorporar conteúdo do Amazon Kindle."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Incorporar conteúdo do Cloudup."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Incorporar conteúdo do CollegeHumor."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Incorporar conteúdo do Crowdsignal (anteriormente conhecido como Polldaddy)."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Incorporar conteúdo do Flickr."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Incorporar conteúdo do Imgur."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Incorporar conteúdo do Issuu."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Incorporar conteúdo do Kickstarter."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Incorporar conteúdo do Meetup.com."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Incorporar conteúdo do Mixcloud."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Incorporar conteúdo do ReverbNation."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Incorporar conteúdo do Screencast."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Incorporar conteúdo do Scribd."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Incorporar conteúdo do Slideshare."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Incorporar conteúdo do SmugMug."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Incorporar conteúdo do SoundCloud."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Incorporar conteúdo Speaker Deck."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Incorporar conteúdo do Spotify."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Incorporar um vídeo do Dailymotion."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Incorporar um post do Facebook."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Incorporar uma discussão do Reddit."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Incorporar um vídeo do TED."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Incorporar um vídeo do TikTok."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Incorporar um post do Tumblr."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Incorporar um vídeo do VideoPress."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Incorporar um vídeo do Vimeo."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Incorporar um post do WordPress."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Incorporar um vídeo do WordPress.tv."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Incorporar um vídeo do YouTube."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Incorporar um reprodutor simples de áudio."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Incorporar um tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Incorporar um vídeo da sua biblioteca de mídias ou enviar um novo."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Incorporar um vídeo do Animoto."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Incorporar um post do Instagram."; - -/* translators: %s: filename. */ -"Embed of %s." = "Incorporado de %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Conteúdo incorporado de %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "O conteúdo incorporado de %s não pode ser visualizado no editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Incorporando..."; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Vazio"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vazia"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Bloco vazio; comece a escrever ou digite \/ para escolher um bloco"; - /* Button title for the enable site notifications action. */ "Enable" = "Ativar"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Data final"; -/* No comment provided by engineer. */ -"English" = "Inglês"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Entrar no modo de tela cheia"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Digite o URL aqui..."; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Digite aqui o URL da mídia a ser incorporada…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Digite uma senha para proteger esse post"; -/* No comment provided by engineer. */ -"Enter address" = "Digite o endereço"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Digite palavras diferentes das acima e tentaremos encontrar um endereço relacionado a elas."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Erro ao atualizar as configurações de melhoria de velocidade do site"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Evento"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore os planos"; -/* No comment provided by engineer. */ -"Export" = "Exportar"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportar conteúdo"; @@ -3149,7 +2598,7 @@ "Failed" = "Falhou"; /* Error title when picked media cannot be imported into stories. */ -"Failed Media Export" = "Failed Media Export"; +"Failed Media Export" = "Falha ao exportar mídia"; /* No comment provided by engineer. */ "Failed to insert audio file." = "Não foi possível inserir o arquivo de áudio."; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "A Imagem de destaque não carregou"; -/* No comment provided by engineer. */ -"February 21, 2019" = "21 de fevereiro de 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Obtendo temas…"; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo de arquivo"; -/* No comment provided by engineer. */ -"Fill" = "Preencher"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Preencher com gerenciador de senhas"; @@ -3270,14 +2713,11 @@ User's First Name */ "First Name" = "Nome"; -/* No comment provided by engineer. */ -"Five." = "Cinco."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Corrigir tudo"; /* Button title, confirm fixing all threats */ -"Fix all threats" = "Fix all threats"; +"Fix all threats" = "Corrigir todas as ameaças"; /* Title for button that will fix the threat */ "Fix threat" = "Corrigir ameaça"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Corrigido"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Células da tabela com largura fixa"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Corrigindo ameaças"; @@ -3296,7 +2733,7 @@ "Follow" = "Seguir"; /* Verb. Button title. Follow the comments on a post. */ -"Follow conversation by email" = "Follow conversation by email"; +"Follow conversation by email" = "Seguir conversa por e-mail"; /* Title of a Quick Start Tour */ "Follow other sites" = "Siga outros sites"; @@ -3344,7 +2781,7 @@ "Following %1$@" = "Seguindo %1$@"; /* Verb. Button title. The user is following the comments on a post. */ -"Following conversation by email" = "Following conversation by email"; +"Following conversation by email" = "Seguindo conversa por e-mail"; /* Label displayed to the user while loading their selected interests */ "Following new topics..." = "Seguindo novos tópicos..."; @@ -3359,7 +2796,7 @@ "Follows the blog." = "Segue o blog."; /* VoiceOver accessibility hint, informing the user the button can be used to follow the comments a post. */ -"Follows the comments on a post by email." = "Follows the comments on a post by email."; +"Follows the comments on a post by email." = "Segue os comentários em um post por e-mail."; /* VoiceOver accessibility hint, informing the user the button can be used to follow a tag. */ "Follows the tag." = "Segue a tag."; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Futebol"; -/* No comment provided by engineer. */ -"Footer cell text" = "Texto da célula do rodapé"; - -/* No comment provided by engineer. */ -"Footer label" = "Rótulo do rodapé"; - -/* No comment provided by engineer. */ -"Footer section" = "Seção do rodapé"; - -/* No comment provided by engineer. */ -"Footers" = "Rodapés"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Para agilizar o processo, nós preenchemos com suas informações de contato do WordPress.com. Verifique os dados para ter certeza de que são os dados corretos a usar com esse domínio."; -/* No comment provided by engineer. */ -"Format settings" = "Configurações de formatação"; - /* Next web page */ "Forward" = "Encaminhar"; -/* No comment provided by engineer. */ -"Four." = "Quatro."; - /* Browse free themes selection title */ "Free" = "Gratuito"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Texto da legenda da galeria"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Legenda da galeria. %s"; @@ -3432,7 +2848,7 @@ "General" = "Geral"; /* Title. A call to action to generate a new invite link. */ -"Generate new link" = "Generate new link"; +"Generate new link" = "Gerar novo link"; /* Message to indicate progress of generating preview */ "Generating Preview" = "Gerando visualização..."; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Desistir"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Dê ênfase visual ao texto de citação. \"Ao citarmos outros, nós nos mencionamos.\" - Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Dê uma ênfase visual especial a uma citação do seu texto."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dê um nome para seu site que reflita sua personalidade e tópicos que serão publicados. A primeira impressão conta."; -/* No comment provided by engineer. */ -"Global Styles" = "Estilos globais"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Conteúdo HTML"; -/* No comment provided by engineer. */ -"HTML element" = "Elemento HTML"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Cabeçalho 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Cabeçalho 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Texto da célula do cabeçalho"; - -/* No comment provided by engineer. */ -"Header label" = "Rótulo do cabeçalho"; - -/* No comment provided by engineer. */ -"Header section" = "Seção do cabeçalho"; - -/* No comment provided by engineer. */ -"Headers" = "Cabeçalhos"; - -/* No comment provided by engineer. */ -"Heading" = "Título"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Título %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Cabeçalho 6"; -/* No comment provided by engineer. */ -"Heading text" = "Texto do título"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Altura em pixels"; - /* Help button */ "Help" = "Ajuda"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Ícone de ajuda"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Ajude visitantes a encontrarem seu conteúdo."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Aqui estão os resultados do post até agora."; @@ -3656,27 +3036,21 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Ocultar teclado"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Ocultar o resumo na página com conteúdo completo"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ "History" = "Histórico"; /* Message title displayed when we fail to fetch the status of the backup in progress. */ -"Hmm, we couldn’t find your backup status" = "Hmm, we couldn’t find your backup status"; +"Hmm, we couldn’t find your backup status" = "Não conseguimos encontrar o status do backup"; /* Message title displayed when we fail to fetch the status of the restore in progress. */ -"Hmm, we couldn’t find your restore status" = "Hmm, we couldn’t find your restore status"; +"Hmm, we couldn’t find your restore status" = "Não conseguimos encontrar o status da restauração"; /* Moderation Keys Title Settings: Comments Moderation */ "Hold for Moderation" = "Aguardar moderação"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Página inicial"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Eba!\nQuase pronto"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Como o Jetpack resolveu isso?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Se você continuar com o Google ou Apple e ainda não tiver uma conta no WordPress.com, você criará uma conta e concordará com nossos _Termos de Serviços_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "Caso você tenha digitado um rótulo personalizado, ele será exibido antes do título."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Se remover %1$@, este usuário não poderá mais acessar este site, mas todo o conteúdo criado por %2$@ será mantido."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Tamanho da imagem"; -/* No comment provided by engineer. */ -"Image caption text" = "Texto da legenda da imagem"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Legenda da imagem. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Configurações da imagem"; /* Hint for image title on image settings. */ -"Image title" = "Título da imagem"; - -/* No comment provided by engineer. */ -"Image width" = "Largura da imagem"; +"Image title" = "Título da imagem"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagem, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Imagem, data e título"; - /* Undated post time label */ "Immediately" = "Imediatamente"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Em poucas palavras, explique sobre o que é este site."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "Em poucas palavras, sobre o que é este site."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "Em uma vila de La Mancha, cujo nome não desejo me lembrar, não demorou muito tempo para que um daqueles cavalheiros mantivesse uma lança no porta-lanças, uma fivela velha, um hack magro e um galgo para percorrer."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "Citando outros, citamos nós mesmos."; - /* Describes a status of a plugin */ "Inactive" = "Inativo"; @@ -3820,28 +3170,22 @@ "Included with Site" = "Incluído com o site"; /* Downloadable/Restorable items: general section footer text */ -"Includes wp-config.php and any non WordPress files" = "Includes wp-config.php and any non WordPress files"; +"Includes wp-config.php and any non WordPress files" = "Inclui wp-config.php e qualquer arquivo que não seja do WordPress"; /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nome de usuário ou senha incorretos. Tente digitar seus dados de login novamente."; -/* No comment provided by engineer. */ -"Indent" = "Aumentar recuo"; - -/* No comment provided by engineer. */ -"Indent list item" = "Aumentar recuo do item da lista"; - /* Title for a threat */ -"Infected core file" = "Infected core file"; +"Infected core file" = "Arquivo do núcleo infectado"; /* Title for a threat that includes the file name of the file */ -"Infected core file: %1$@" = "Infected core file: %1$@"; +"Infected core file: %1$@" = "Arquivo do núcleo infectado: %1$@"; /* WordPress.com Community Footer Text */ "Information on WordPress.com courses and events (online & in-person)." = "Informações sobre cursos e eventos (online e presenciais) do WordPress.com."; /* Placeholder for the restore progress title. */ -"Initializing the restore process" = "Initializing the restore process"; +"Initializing the restore process" = "Iniciando o processo de restauração"; /* Default button title used in media picker to insert media (photos / videos) into a post. Label action for inserting a link on the editor */ @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserir mídia"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insira uma tabela para compartilhar dados."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insira uma tabela. Perfeito para compartilhar gráficos e dados."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Adicione elementos personalizados com um shortcode do WordPress."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insira uma imagem para ilustrar suas ideias."; - -/* No comment provided by engineer. */ -"Insert column after" = "Inserir coluna depois"; - -/* No comment provided by engineer. */ -"Insert column before" = "Inserir coluna antes"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Adicionar mídia"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Adicione uma poesia. Use um formato de espaçamento especial. Ou cite letras de músicas."; - -/* No comment provided by engineer. */ -"Insert row after" = "Inserir linha depois"; - -/* No comment provided by engineer. */ -"Insert row before" = "Inserir linha antes"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Inserir selecionada"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalar o primeiro plugin em seu site pode demorar alguns minutos. Durante esse tempo, não será possível fazer outras alterações no seu site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Apresente novas seções e organize os conteúdos para ajudar visitantes (e mecanismos de pesquisa) a entender a estrutura do seu conteúdo."; - /* Stories intro header title */ "Introducing Story Posts" = "Apresentando os posts de Story"; @@ -3959,7 +3273,7 @@ "Invite" = "Convide"; /* Title for the Invite Link section of the Invite Person screen. */ -"Invite Link" = "Invite Link"; +"Invite Link" = "Link de convite"; /* Invite People Title */ "Invite People" = "Convidar pessoas"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Itálico"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Músico\/Musicista de Jazz"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -3995,38 +3306,38 @@ "Jetpack FAQ" = "Perguntas frequentes sobre o Jetpack"; /* Description that explains that we are unable to auto fix the threat */ -"Jetpack Scan cannot automatically fix this threat. We suggest that you resolve the threat manually: ensure that WordPress, your theme, and all of your plugins are up to date, and remove the offending code, theme, or plugin from your site." = "Jetpack Scan cannot automatically fix this threat. We suggest that you resolve the threat manually: ensure that WordPress, your theme, and all of your plugins are up to date, and remove the offending code, theme, or plugin from your site."; +"Jetpack Scan cannot automatically fix this threat. We suggest that you resolve the threat manually: ensure that WordPress, your theme, and all of your plugins are up to date, and remove the offending code, theme, or plugin from your site." = "O Jetpack Scan não pode corrigir esta ameaça automaticamente. Sugerimos que você resolva a ameaça manualmente: certifique-se de que o WordPress, seu tema e todos os seus plugins estejam atualizados e remova o código, tema ou plugin ofensivo do seu site."; /* Description for a label when the scan has failed Error message shown when the scan start has failed. */ -"Jetpack Scan couldn't complete a scan of your site. Please check to see if your site is down – if it's not, try again. If it is, or if Jetpack Scan is still having problems, contact our support team." = "Jetpack Scan couldn't complete a scan of your site. Please check to see if your site is down – if it's not, try again. If it is, or if Jetpack Scan is still having problems, contact our support team."; +"Jetpack Scan couldn't complete a scan of your site. Please check to see if your site is down – if it's not, try again. If it is, or if Jetpack Scan is still having problems, contact our support team." = "O Jetpack Scan não pôde concluir uma varredura no seu site. Verifique se o seu site está inativo - se não estiver, tente novamente. Se estiver, ou se o Jetpack Scan ainda estiver com problemas, entre em contato com nossa equipe de suporte."; /* Description for a label when there are threats on the site, displays the number of threats, and the site's title */ -"Jetpack Scan found %1$d potential threats with %2$@. Please review them below and take action or tap the fix all button. We are here to help if you need us." = "Jetpack Scan found %1$d potential threats with %2$@. Please review them below and take action or tap the fix all button. We are here to help if you need us."; +"Jetpack Scan found %1$d potential threats with %2$@. Please review them below and take action or tap the fix all button. We are here to help if you need us." = "O Jetpack Scan encontrou %1$d possíveis ameaças em %2$@. Analise-as abaixo e tome as ações necessárias ou toque no botão corrigir todas. Estamos aqui para ajudar se precisar."; /* Description for a label when there is a single threat on the site, displays the site's title */ -"Jetpack Scan found 1 potential threat with %1$@. Please review them below and take action or tap the fix all button. We are here to help if you need us." = "Jetpack Scan found 1 potential threat with %1$@. Please review them below and take action or tap the fix all button. We are here to help if you need us."; +"Jetpack Scan found 1 potential threat with %1$@. Please review them below and take action or tap the fix all button. We are here to help if you need us." = "O Jetpack Scan encontrou uma possível ameaça em %1$@. Analise-a abaixo e tome as ações necessárias ou toque no botão corrigir todas. Estamos aqui para ajudar se precisar."; /* Description that explains how we will fix the threat */ -"Jetpack Scan will delete the affected file or directory." = "Jetpack Scan will delete the affected file or directory."; +"Jetpack Scan will delete the affected file or directory." = "O Jetpack Scan excluirá o arquivo ou diretório afetado."; /* Description that explains how we will fix the threat */ -"Jetpack Scan will edit the affected file or directory." = "Jetpack Scan will edit the affected file or directory."; +"Jetpack Scan will edit the affected file or directory." = "O Jetpack Scan editará o arquivo ou diretório afetado."; /* Description that explains how we will fix the threat */ -"Jetpack Scan will replace the affected file or directory." = "Jetpack Scan will replace the affected file or directory."; +"Jetpack Scan will replace the affected file or directory." = "O Jetpack Scan substituirá o arquivo ou diretório afetado."; /* Description that explains how we will fix the threat */ -"Jetpack Scan will resolve the threat." = "Jetpack Scan will resolve the threat."; +"Jetpack Scan will resolve the threat." = "O Jetpack Scan resolverá a ameaça."; /* Description that explains how we will fix the threat */ -"Jetpack Scan will rollback the affected file to an older (clean) version." = "Jetpack Scan will rollback the affected file to an older (clean) version."; +"Jetpack Scan will rollback the affected file to an older (clean) version." = "O Jetpack Scan recuperará o arquivo afetado para uma versão mais antiga (limpa)."; /* Description that explains how we will fix the threat */ -"Jetpack Scan will rollback the affected file to the version from %1$@." = "Jetpack Scan will rollback the affected file to the version from %1$@."; +"Jetpack Scan will rollback the affected file to the version from %1$@." = "O Jetpack Scan alterará o arquivo afetado para a versão de %1$@."; /* Description that explains how we will fix the threat */ -"Jetpack Scan will update to a newer version." = "Jetpack Scan will update to a newer version."; +"Jetpack Scan will update to a newer version." = "O Jetpack Scan atualizará para uma versão mais recente."; /* Noun. Title. Links to the blog's Settings screen. */ "Jetpack Settings" = "Configurações do Jetpack"; @@ -4038,10 +3349,10 @@ "Jetpack installed" = "Jetpack foi instalado"; /* Confirmation message presented before fixing all the threats, displays the number of threats to be fixed */ -"Jetpack will be fixing all the detected active threats." = "Jetpack will be fixing all the detected active threats."; +"Jetpack will be fixing all the detected active threats." = "O Jetpack corrigirá todas as ameaças detectadas ativas."; /* Confirmation message presented before fixing a single threat */ -"Jetpack will be fixing the detected active threat." = "Jetpack will be fixing the detected active threat."; +"Jetpack will be fixing the detected active threat." = "O Jetpack corrigirá as ameaças detectadas ativas."; /* Footer for the Serve images from our servers setting */ "Jetpack will optimize your images and serve them from the server location nearest to your visitors. Using our global content delivery network will boost the loading speed of your site." = "O Jetpack otimizará as suas imagens e as entregará a partir de um servidor localizado mais perto dos seus visitantes. Usando redes globais de entrega de conteúdo (CDNs) você aumentará a velocidade de carregamento do seu site."; @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Fique atualizado sobre o desempenho de seu site."; -/* No comment provided by engineer. */ -"Kind" = "Tipo"; - /* Autoapprove only from known users */ "Known Users" = "Usuários conhecidos"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Rótulo "; -/* No comment provided by engineer. */ -"Landscape" = "Paisagem"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Idioma"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Tag de idioma (en, fr etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Resumo dos posts mais recentes"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Configurações dos comentários mais recentes"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Saiba Mais"; @@ -4111,11 +3410,8 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Saiba mais sobre formatação de datas e horas."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Saiba mais sobre mídia incorporada"; - /* Footer text for Invite People role field. */ -"Learn more about roles" = "Learn more about roles"; +"Learn more about roles" = "Saiba mais sobre Funções"; /* Jetpack Settings: WordPress.com Login WordPress login footer text */ "Learn more..." = "Saiba mais..."; @@ -4124,22 +3420,13 @@ "Left" = "À esquerda"; /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ -"Legacy Icons" = "Legacy Icons"; - -/* No comment provided by engineer. */ -"Legacy Widget" = "Widget legado"; +"Legacy Icons" = "Ícones antigos"; /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Podemos ajudar você"; /* Title for the button that will dismiss this view. */ -"Let me know when finished!" = "Let me know when finished!"; - -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Nível %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Nível %s. Vazio."; +"Let me know when finished!" = "Me avise quando for concluído!"; /* Title for the app appearance setting for light mode */ "Light" = "Claro"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Link para"; -/* No comment provided by engineer. */ -"Link color" = "Cor do link"; - -/* No comment provided by engineer. */ -"Link label" = "Rótulo do link"; - -/* No comment provided by engineer. */ -"Link rel" = "Atributo rel do link"; - /* No comment provided by engineer. */ "Link to" = "Apontar para"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Apontar para %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Apontar para conteúdo existente"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Links nos comentários"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links exibidos em uma coluna."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links exibidos em uma linha."; - -/* No comment provided by engineer. */ -"List" = "Lista"; - -/* No comment provided by engineer. */ -"List of template parts" = "Lista de partes de modelos"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Estilo da lista"; -/* No comment provided by engineer. */ -"List text" = "Texto da lista"; - /* Title of the screen that load selected the revisions. */ "Load" = "Carregar"; @@ -4279,10 +3539,10 @@ "Loading Plugins..." = "Carregando plugins..."; /* Text displayed while loading the scan history for a site */ -"Loading Scan History..." = "Loading Scan History..."; +"Loading Scan History..." = "Carregando histórico de varreduras..."; /* Text displayed while loading the scan section for a site */ -"Loading Scan..." = "Loading Scan..."; +"Loading Scan..." = "Carregando varredura..."; /* Shown while the app waits for the domain suggestions web service to return during the site creation process. */ "Loading domains" = "Carregando domínios"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Carregando..."; -/* No comment provided by engineer. */ -"Loading…" = "Carregando..."; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Faça login com seu nome de usuário e sua senha do WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Sair"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Fazer logout do WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Solicitação de login expirada"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Configurações para acessar e sair"; - -/* No comment provided by engineer. */ -"Logos Only" = "Apenas logos"; - /* No comment provided by engineer. */ "Logs" = "Logs"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Esqueceu sua senha?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navegação principal"; -/* No comment provided by engineer. */ -"Main color" = "Cor principal"; - -/* No comment provided by engineer. */ -"Make template part" = "Transformar em parte de modelo"; - -/* No comment provided by engineer. */ -"Make title a link" = "Transformar o título em link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Encontrar contas correspondentes usando o e-mail"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Tamanho máximo da imagem para upload"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Tamanho máximo do vídeo"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Número máximo de palavras no resumo"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "7 de maio de 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4525,7 +3752,7 @@ "Media Uploading" = "Carregamento de mídia"; /* Downloadable/Restorable items: Media Uploads */ -"Media Uploads" = "Media Uploads"; +"Media Uploads" = "Mídias enviadas"; /* No comment provided by engineer. */ "Media area" = "Área de mídia"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Falha ao visualizar mídia."; -/* No comment provided by engineer. */ -"Media settings" = "Configurações de mídia"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Mídias enviadas (%ld arquivos)"; @@ -4584,7 +3808,7 @@ "Microsoft Outlook" = "Microsoft Outlook"; /* Summary description for a threat */ -"Miscellaneous vulnerability" = "Miscellaneous vulnerability"; +"Miscellaneous vulnerability" = "Diversas vulnerabilidades"; /* Title for the mobile web preview */ "Mobile" = "Dispositivos móveis"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitorar se seu site está ativo"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "O Mont Blanc aparece, ainda, nevado e calmo."; - /* Title of Months stats filter. */ "Months" = "Meses"; @@ -4620,14 +3841,11 @@ "More Posts" = "Mais posts"; /* Section title for local related posts. %1$@ is a placeholder for the blog display name. */ -"More from %1$@" = "More from %1$@"; +"More from %1$@" = "Mais de %1$@"; /* Section title for global related posts. */ "More on WordPress.com" = "Mais no WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "Mais ferramentas e opções"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Horário mais popular"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Mover para baixo"; -/* No comment provided by engineer. */ -"Move image backward" = "Mover imagem para trás"; - -/* No comment provided by engineer. */ -"Move image forward" = "Mover imagem para frente"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Mover o item de menu"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Música"; -/* No comment provided by engineer. */ -"Muted" = "Mudo"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Meu perfil"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "Minhas 10 cafeterias preferidas"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nome"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Ir para a personalização de gradiente"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navegação (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navegação (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Precisa de ajuda?"; @@ -4772,13 +3972,10 @@ "New" = "Novos"; /* Blocklist Keyword Insertion Title */ -"New Blocklist Word" = "New Blocklist Word"; - -/* No comment provided by engineer. */ -"New Column" = "Nova coluna"; +"New Blocklist Word" = "Nova palavra para a lista de bloqueios"; /* Title of alert informing users about the Reader Save for Later feature. */ -"New Custom App Icons" = "New Custom App Icons"; +"New Custom App Icons" = "Novos ícones personalizados do aplicativo"; /* IP Address or Range Insertion Title */ "New IP or IP Range" = "Novo IP ou faixa de IPs"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Novos posts"; -/* No comment provided by engineer. */ -"New template part" = "Nova parte de modelo"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Mais recente"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Próximo"; -/* No comment provided by engineer. */ -"Next Page" = "Próxima página"; - /* Table view title for the quick start section. */ "Next Steps" = "Próximos passos"; /* Accessibility label for the next notification button */ "Next notification" = "Próxima notificação"; -/* No comment provided by engineer. */ -"Next page link" = "Link da próxima página"; - /* Accessibility label */ "Next period" = "Próximo período"; -/* No comment provided by engineer. */ -"Next post" = "Próximo post"; - /* Label for a cancel button */ "No" = "Não"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Sem conexão"; -/* No comment provided by engineer. */ -"No Date" = "Sem data"; - /* List Editor Empty State Message */ "No Items" = "Sem itens"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Nenhum comentário"; -/* No comment provided by engineer. */ -"No comments." = "Sem comentários."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -4960,7 +4139,7 @@ "No likes yet" = "Nenhuma curtida"; /* Title for the view when there aren't any backups to display for a given filter. */ -"No matching backups found" = "No matching backups found"; +"No matching backups found" = "Nenhum backup correspondente encontrado"; /* Title for the view when there aren't any Activities to display in the Activity Log for a given filter. */ "No matching events found." = "Nenhum evento correspondente encontrado."; @@ -4974,16 +4153,16 @@ "No menus available" = "Nenhum menu disponível"; /* A hint to users about creating a downloadable backup of their site. */ -"No need to wait around. We'll notify you when your backup is ready." = "No need to wait around. We'll notify you when your backup is ready."; +"No need to wait around. We'll notify you when your backup is ready." = "Você não precisa esperar com o celular na mão. Avisaremos quando o backup estiver pronto."; /* A hint to users about restoring their site. */ -"No need to wait around. We'll notify you when your site has been fully restored." = "No need to wait around. We'll notify you when your site has been fully restored."; +"No need to wait around. We'll notify you when your site has been fully restored." = "Você não precisa esperar com o celular na mão. Avisaremos quando seu site for restaurado."; /* Displayed in the Stats widgets when there is no network */ "No network available" = "Sem conexão disponível"; /* Message shown when there are no new topics to follow. */ -"No new topics to follow" = "No new topics to follow"; +"No new topics to follow" = "Nenhum novo tópico para seguir"; /* Displayed in the Notifications Tab as a title, when there are no notifications */ "No notifications yet" = "Nenhuma notificação ainda"; @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Nenhum post."; -/* No comment provided by engineer. */ -"No preview available." = "Nenhuma visualização disponível."; - /* A message title */ "No recent posts" = "Nenhuma publicação recente"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Não está vendo o e-mail? Verifique sua pasta de spam ou lixo eletrônico."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Atenção: A reprodução automática de arquivos de áudio pode causar problemas de usabilidade para alguns visitantes."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Atenção: A reprodução automática de vídeos pode causar problemas de usabilidade para alguns visitantes."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Nota: O modelo da coluna pode variar entre os temas e tamanhos de tela"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Atenção: a maioria dos navegadores de telefones e tablets não mostrarão PDFs incorporados."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nada encontrado."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Número"; -/* No comment provided by engineer. */ -"Number of comments" = "Número de comentários"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerada"; @@ -5164,7 +4328,7 @@ "OK" = "OK"; /* No comment provided by engineer. */ -"OPEN" = "OPEN"; +"OPEN" = "ABRIR"; /* Disabled */ "Off" = "Desativado"; @@ -5185,7 +4349,7 @@ "Oldest first" = "Mais antigos primeiro"; /* Warning message about disabling group invite links. */ -"Once this invite link is disabled, nobody will be able to use it to join your team. Are you sure?" = "Once this invite link is disabled, nobody will be able to use it to join your team. Are you sure?"; +"Once this invite link is disabled, nobody will be able to use it to join your team. Are you sure?" = "Assim que esse link de convite for desativado, ninguém poderá usá-lo para ingressar em sua equipe. Você tem certeza?"; /* A subtitle with more detailed info for the user when no WordPress.com sites could be found. */ "Once you create a WordPress.com site, you can reblog content that you like to your own site." = "Assim que você criar um site no WordPress.com, você poderá republicar o conteúdo que você curtir em seu próprio site."; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Botão do One Password"; -/* No comment provided by engineer. */ -"One column" = "Uma coluna"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "Umas das coisas mais difíceis de fazer em tecnologia é superar você mesmo."; - -/* No comment provided by engineer. */ -"One." = "Um."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Ver apenas as estatísticas mais relevantes. Adicione informações para atender às suas necessidades."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Opa!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Abrir menu de ações do bloco"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Abrir configurações do dispositivo"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Abrir WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Abrir navegador de blocos"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Abrir seletor de mídia completo"; @@ -5270,10 +4425,10 @@ "Optional" = "Opcional"; /* Invite: Message Hint. %1$d is the maximum number of characters allowed. */ -"Optional message up to %1$d characters to be included in the invitation." = "Optional message up to %1$d characters to be included in the invitation."; +"Optional message up to %1$d characters to be included in the invitation." = "Mensagem opcional com até %1$d caracteres a ser incluída ao seu convite."; /* Footer text for Invite People message field. %1$d is the maximum number of characters allowed. */ -"Optional: Enter a custom message up to %1$d characters to be sent with your invitation." = "Optional: Enter a custom message up to %1$d characters to be sent with your invitation."; +"Optional: Enter a custom message up to %1$d characters to be sent with your invitation." = "Opcional: digite uma mensagem personalizada com até %1$d caracteres para enviar com seu convite."; /* Divider on initial auth view separating auth options. */ "Or" = "Ou"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Ou acesse _informando o endereço do seu site_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordenada"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Lista ordenada"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Configurações de lista ordenada"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Empresa"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Outros sites"; -/* No comment provided by engineer. */ -"Outdent" = "Diminuir recuo"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Recuar item da lista"; - -/* No comment provided by engineer. */ -"Outline" = "Contorno"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Substituído"; -/* No comment provided by engineer. */ -"PDF embed" = "Incorporar PDF"; - -/* No comment provided by engineer. */ -"PDF settings" = "Configurações de PDF"; - /* Register Domain - Phone number section header title */ "PHONE" = "Telefone"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; -/* No comment provided by engineer. */ -"Page Link" = "Link da página"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Página recuperada dos rascunhos"; @@ -5407,18 +4538,12 @@ Settings: Comments Paging preferences */ "Paging" = "Paginação"; -/* No comment provided by engineer. */ -"Paragraph" = "Parágrafo"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Bloco de parágrafo"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoria mãe"; /* Message informing the user that their pages parent has been set successfully */ -"Parent page successfully updated." = "Parent page successfully updated."; +"Parent page successfully updated." = "Página ascendente atualizada"; /* Accessibility label for the password text field in the self-hosted login page. Label for entering password in password field @@ -5442,7 +4567,7 @@ "Paste URL" = "Colar URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Cole um link para o conteúdo que você deseja exibir em seu site."; +"Paste block after" = "Colar bloco após"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Colar sem formatação"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Escolha seu modelo preferido para a página inicial. Você poderá personalizar ou alterá-lo depois."; -/* No comment provided by engineer. */ -"Pill Shape" = "Forma de pílula"; - /* The item to select during a guided tour. */ "Plan" = "Plano"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Planos"; -/* No comment provided by engineer. */ -"Play inline" = "Reproduzir sem abrir em tela cheia"; - /* User action to play a video on the editor. */ "Play video" = "Reproduzir vídeo"; -/* No comment provided by engineer. */ -"Playback controls" = "Controles de reprodução"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Adicione algum conteúdo antes de tentar publicar."; @@ -5516,10 +4632,10 @@ "Please check your internet connection and try again." = "Verifique sua conexão com a internet e tente novamente."; /* Confirmation title presented before fixing all the threats, displays the number of threats to be fixed */ -"Please confirm you want to fix all %1$d active threats" = "Please confirm you want to fix all %1$d active threats"; +"Please confirm you want to fix all %1$d active threats" = "Confirme que deseja corrigir todas as %1$d ameaças ativas"; /* Confirmation title presented before fixing a single threat */ -"Please confirm you want to fix this threat" = "Please confirm you want to fix this threat"; +"Please confirm you want to fix this threat" = "Confirme que deseja corrigir essa ameaça"; /* Message displayed on an error alert to prompt the user to contact support */ "Please contact support for assistance." = "Entre em contato com o suporte para obter ajuda."; @@ -5591,7 +4707,7 @@ "Please try again later" = "Tente novamente mais tarde"; /* Description for the Jetpack Restore Failed message. */ -"Please try again later or contact support." = "Please try again later or contact support."; +"Please try again later or contact support." = "Tente novamente mais tarde ou entre em contato com o suporte."; /* Prompt for the user to retry a failed action again later */ "Please try again later." = "Tente novamente mais tarde."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Idiomas populares "; -/* No comment provided by engineer. */ -"Portrait" = "Retrato"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Post"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorias de post"; -/* No comment provided by engineer. */ -"Post Comment" = "Comentário do post"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Autor do comentário do post"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Conteúdo do comentário do post"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Data do comentário do post"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Bloco de contagem de comentários de post: post não encontrado."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Formulário de comentários do post"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Bloco de formulário de comentários de post: comentários não estão ativados para este tipo de post."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Bloco de formulário de comentários de post: não são permitidos comentários neste post."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Bloco de link de comentários de post: nenhum post encontrado."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato de post"; -/* No comment provided by engineer. */ -"Post Link" = "Link do post"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Post restaurado como rascunho"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post por %1$@, de %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Bloco de comentários de post: nenhum post encontrado."; - /* No comment provided by engineer. */ "Post content settings" = "Configurações do conteúdo do post"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicado em %1$@, em %2$@, por %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Imagem do poster"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Atividade de publicação"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Posts"; -/* No comment provided by engineer. */ -"Posts List" = "Lista de posts"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Página de posts"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Desenvolvido por Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Texto pré-formatado"; - /* No comment provided by engineer. */ "Preload" = "Pré-carregar"; @@ -5830,7 +4901,7 @@ "Premium Upgrades" = "Atualizações premium"; /* Title for label when the preparing to scan the users site */ -"Preparing to scan" = "Preparing to scan"; +"Preparing to scan" = "Preparação para varredura"; /* Label to show while converting and/or resizing media to send to server */ "Preparing..." = "Preparando..."; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Visualize seu novo site e veja como ele será apresentado aos seus visitantes."; -/* No comment provided by engineer. */ -"Previous Page" = "Página anterior"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Notificação anterior"; -/* No comment provided by engineer. */ -"Previous page link" = "Link da página anterior"; - /* Accessibility label */ "Previous period" = "Período anterior"; -/* No comment provided by engineer. */ -"Previous post" = "Post anterior"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Site principal"; @@ -5908,7 +4970,7 @@ "Problem loading sites" = "Problema ao carregar sites"; /* No comment provided by engineer. */ -"Problem opening the audio" = "Problem opening the audio"; +"Problem opening the audio" = "Problema ao abrir o áudio"; /* No comment provided by engineer. */ "Problem opening the video" = "Problema ao abrir o vídeo"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projetos"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Solicite aos visitantes que tomem uma ação com um link no estilo de botão."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Solicite aos visitantes que tomem uma ação com um grupo de links no estilo de botão."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "O tipo fornecido não é suportado."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Público"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publicando..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Texto da citação"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Texto da citação"; - /* Title of screen showing site purchases */ "Purchases" = "Compras"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "As notificações foram desativadas nas configurações do iOS. Toque em \"Permitir notificações\" para ativá-las novamente."; -/* No comment provided by engineer. */ -"Query Title" = "Título da consulta"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Início rápido"; -/* No comment provided by engineer. */ -"Quote citation text" = "Texto da citação"; - -/* No comment provided by engineer. */ -"Quote text" = "Texto da citação"; - -/* No comment provided by engineer. */ -"RSS settings" = "Configurações de RSS"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Avalie-nos na App Store"; /* No comment provided by engineer. */ "Read more" = "Leia mais"; -/* No comment provided by engineer. */ -"Read more link text" = "Texto do link \"Leia mais\""; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Ler em"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconectado"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirecionar para o URL atual"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referência"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Posts Relacionados exibe conteúdo relevante do seu site abaixo dos seus posts"; -/* No comment provided by engineer. */ -"Release Date" = "Data de lançamento"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remover esse post da lista dos posts salvos."; -/* No comment provided by engineer. */ -"Remove track" = "Remover faixa"; - /* User action to remove video. */ "Remove video" = "Remover vídeo"; @@ -6287,10 +5310,10 @@ "Reset" = "Redefinir"; /* Accessibility label for the reset activity type button */ -"Reset Activity Type filter" = "Reset Activity Type filter"; +"Reset Activity Type filter" = "Redefine o filtro de tipo de atividade"; /* Accessibility label for the reset date range button */ -"Reset Date Range filter" = "Reset Date Range filter"; +"Reset Date Range filter" = "Redefine o filtro de intervalo de data"; /* Accessibility label for the reset filter button in the reader. */ "Reset filter" = "Redefinir filtros"; @@ -6301,14 +5324,11 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionar e cortar"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Redimensionar para dispositivos menores"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolução"; /* Title for the fix section in Threat Details: Threat is not fixable */ -"Resolving the threat" = "Resolving the threat"; +"Resolving the threat" = "Resolvendo a ameaça"; /* Title displayed for restore action. Title for button allowing user to restore their Jetpack site @@ -6320,7 +5340,7 @@ "Restore" = "Restaurar"; /* Title for Jetpack Restore Failed screen */ -"Restore Failed" = "Restore Failed"; +"Restore Failed" = "Falha na restauração"; /* Title for error displayed when restoring a site fails. */ "Restore failed" = "Falha na restauração"; @@ -6328,11 +5348,8 @@ /* Label that describes the restore site action */ "Restore site" = "Restaurar site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Redefinir o modelo para o padrão do tema."; - /* Button title for restore site action */ -"Restore to this point" = "Restore to this point"; +"Restore to this point" = "Restaurar até este ponto"; /* Notice showing the date the site is being rewinded to. '%@' is a placeholder that will expand to a date. */ "Restored to %@" = "Restaurado para %@"; @@ -6363,7 +5380,7 @@ "Retry" = "Tentar novamente"; /* Button title that triggers a scan */ -"Retry Scan" = "Retry Scan"; +"Retry Scan" = "Tentar varredura novamente"; /* User action to retry media upload. */ "Retry Upload" = "Tentar upload novamente"; @@ -6378,13 +5395,10 @@ "Return to post" = "Voltar para o post"; /* No comment provided by engineer. */ -"Reusable blocks aren't editable on WordPress for Android" = "Reusable blocks aren't editable on WordPress for Android"; +"Reusable blocks aren't editable on WordPress for Android" = "Blocos reutilizáveis não podem ser editados no WordPress para Android"; /* No comment provided by engineer. */ -"Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; - -/* No comment provided by engineer. */ -"Reverse list numbering" = "Lista numerada reversa"; +"Reusable blocks aren't editable on WordPress for iOS" = "Blocos reutilizáveis não podem ser editados no WordPress para iOS"; /* Cancels a pending Email Change */ "Revert Pending Change" = "Cancelar alteração pendente"; @@ -6402,19 +5416,13 @@ "Right" = "À direita"; /* Example Reader feed title */ -"Rock 'n Roll Weekly" = "Rock 'n Roll Weekly"; +"Rock 'n Roll Weekly" = "Novidades do mundo do Rock"; /* Title. Indicates the user role an invite link is for. User Roles Title User's Role */ "Role" = "Função"; -/* No comment provided by engineer. */ -"Rotate" = "Girar"; - -/* No comment provided by engineer. */ -"Row count" = "Quantidade de linhas"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS enviado"; @@ -6485,10 +5493,10 @@ "Scan Again" = "Examinar novamente"; /* Title for a notice informing the user their scan has completed */ -"Scan Finished" = "Scan Finished"; +"Scan Finished" = "Varredura concluída"; /* Title of the view */ -"Scan History" = "Scan History"; +"Scan History" = "Histórico de varreduras"; /* Button title that triggers a scan */ "Scan Now" = "Examinar agora"; @@ -6613,7 +5621,7 @@ "Select %@ to see your current plan and other available plans." = "Toque em %@ para ver seu plano atual e outros planos disponíveis."; /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ -"Select %@ to see your page list." = "Select %@ to see your page list."; +"Select %@ to see your page list." = "Toque em %@ para ver sua lista de páginas."; /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select %@ to set a new title." = "Toque em %@ para definir um novo título."; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Selecione o estilo do parágrafo"; -/* No comment provided by engineer. */ -"Select poster image" = "Selecionar imagem do poster"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Toque em %@ para adicionar suas contas em redes sociais"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Enviar notificações push"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Divida seu conteúdo em múltiplas páginas."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servir imagens pelos nossos servidores"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Definir como página de posts"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Coloque mídia e texto lado a lado para um visual mais rico."; - /* The Jetpack view button title for the success state */ "Set up" = "Configurar"; @@ -6793,7 +5792,7 @@ "Share information with our analytics tool about your use of services while logged in to your WordPress.com account." = "Compartilhar informações de como nossos serviços são usados com nossas ferramentas de análise enquanto estiver acessando sua conta do WordPress.com."; /* Title. A call to action to share an invite link. */ -"Share invite link" = "Share invite link"; +"Share invite link" = "Compartilhar link de convite"; /* Title for the button that will share the link for the downlodable backup file */ "Share link" = "Compartilhar link"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Texto do shortcode"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Exibir cabeçalho"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Mostrar botão de download"; -/* No comment provided by engineer. */ -"Show inline embed" = "Mostrar mídia incorporada em linha."; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Mostrar links para acessar e sair."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Mostrar senha"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Mostrar conteúdo do post"; -/* No comment provided by engineer. */ -"Show post counts" = "Mostrar número de posts"; - /* translators: Checkbox toggle label */ "Show section" = "Mostrar seção"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Mostrando apenas meus posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Mostrando letra inicial grande."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Mostrando estatísticas de:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Mostrar os posts do site."; -/* No comment provided by engineer. */ -"Sidebars" = "Barras laterais"; - /* View title during the sign up process. */ "Sign Up" = "Registrar-se"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Idioma do site"; -/* No comment provided by engineer. */ -"Site Logo" = "Logo do site"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Segurança e desempenho do site\ndiretamente em seu bolso"; -/* No comment provided by engineer. */ -"Site tagline text" = "Texto da descrição do site"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fuso horário do site (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "O título do site foi alterado com sucesso"; -/* No comment provided by engineer. */ -"Site title text" = "Texto do título do site"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites para seguir"; -/* No comment provided by engineer. */ -"Six." = "Seis."; - /* Image size option title. */ "Size" = "Tamanho"; @@ -7049,20 +6018,14 @@ "Slug" = "Slug"; /* Text display in the view when there aren't any Activities Types to display in the Activity Log Types picker */ -"So far, there are no fixed threats on your site." = "So far, there are no fixed threats on your site."; +"So far, there are no fixed threats on your site." = "Até agora, não há ameaças corrigidas em seu site."; /* Text display in the view when there aren't any Activities Types to display in the Activity Log Types picker */ -"So far, there are no ignored threats on your site." = "So far, there are no ignored threats on your site."; +"So far, there are no ignored threats on your site." = "Até agora, não há ameaças ignoradas em seu site."; /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Ícones social"; - -/* No comment provided by engineer. */ -"Solid color" = "Cor sólida"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Falha ao fazer upload de algumas mídias. Esta ação removerá todas as mídias que falharam do post.\nSalvar mesmo assim?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Desculpe, esse nome de usuário está indisponível."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Não foi possível incorporar este conteúdo."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Desculpe, nomes de usuário só podem conter letras minúsculas (a-z) e números."; @@ -7139,7 +6099,7 @@ "Sorry, you may not use that site address." = "Desculpe, você não pode usar esse endereço de site."; /* A short error message letting the user know the requested reader content could not be loaded. */ -"Sorry. The content could not be loaded." = "Sorry. The content could not be loaded."; +"Sorry. The content could not be loaded." = "Não foi possível carregar o conteúdo."; /* An error message shown if a third-party social service does not specify any accounts that an be used with publicize sharing. */ "Sorry. The social service did not tell us which account could be used for sharing." = "Desculpe. Não fomos informados qual conta poderia ser usada para compartilhamento."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Código-fonte"; -/* No comment provided by engineer. */ -"Source language" = "Idioma de origem"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sul"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espaço usado"; -/* No comment provided by engineer. */ -"Spacer settings" = "Configurações do espaçador"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Acelere seu site"; -/* No comment provided by engineer. */ -"Square" = "Quadrado"; - /* Standard post format label */ "Standard" = "Padrão"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Recomeçar"; -/* No comment provided by engineer. */ -"Start value" = "Valor inicial"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Comece com o bloco fundamental de toda narrativa."; - /* No comment provided by engineer. */ "Start writing…" = "Comece a escrever..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Riscado"; -/* No comment provided by engineer. */ -"Stripes" = "Listras"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Apenas local"; @@ -7270,20 +6212,17 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Enviando para avaliação..."; -/* No comment provided by engineer. */ -"Subtitles" = "Legendas"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Índice do spotlight liberado"; /* The app successfully subscribed to the comments for the post */ -"Successfully followed conversation" = "Successfully followed conversation"; +"Successfully followed conversation" = "Conversa seguida com sucesso"; /* Notice displayed after installing a plug-in. */ "Successfully installed %@." = "%@ instalado."; /* The app successfully unsubscribed from the comments for the post */ -"Successfully unfollowed conversation" = "Successfully unfollowed conversation"; +"Successfully unfollowed conversation" = "Deixou de seguir a conversa com sucesso"; /* Setting: WordPress.com Suggestions Suggested domains */ @@ -7293,7 +6232,7 @@ "Suggestions updated" = "Sugestões atualizadas"; /* No comment provided by engineer. */ -"Summarize your post with a list of headings. Add HTML anchors to Heading blocks to link them here." = "Summarize your post with a list of headings. Add HTML anchors to Heading blocks to link them here."; +"Summarize your post with a list of headings. Add HTML anchors to Heading blocks to link them here." = "Exiba uma lista resumida com os títulos de seu post. Adicione âncoras HTML aos blocos de Título para adicionar links aqui."; /* User role badge */ "Super Admin" = "Superadministrador"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Suporte"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Trocar site"; @@ -7349,16 +6285,7 @@ "System default" = "Padrão do sistema"; /* No comment provided by engineer. */ -"Table" = "Tabela"; - -/* No comment provided by engineer. */ -"Table caption text" = "Texto da legenda da tabela"; - -/* No comment provided by engineer. */ -"Table of Contents" = "Table of Contents"; - -/* No comment provided by engineer. */ -"Table settings" = "Configurações da tabela"; +"Table of Contents" = "Sumário"; /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabela exibindo %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Configurações da nuvem de tags"; - -/* No comment provided by engineer. */ -"Tag Link" = "Link da tag"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "A tag já existe"; @@ -7428,7 +6349,7 @@ "Tap to cancel uploading." = "Toque para cancelar o upload."; /* Accessibility hint for button used to change site title */ -"Tap to change the site's title" = "Tap to change the site's title"; +"Tap to change the site's title" = "Toque para alterar o título do site"; /* Accessibility hint to inform the user what action the hide button performs */ "Tap to collapse the post tags" = "Toque para recolher as tags do post"; @@ -7458,7 +6379,7 @@ "Tap to select which blog to post to" = "Toque para selecionar qual blog postar para"; /* Accessibility hint for button used to switch site */ -"Tap to switch to another site, or add a new site" = "Tap to switch to another site, or add a new site"; +"Tap to switch to another site, or add a new site" = "Toque para mudar para outro site ou adicionar um novo site."; /* Accessibility hint to inform the user what action the post tag chip performs */ "Tap to view posts for this tag" = "Toque para ver posts desta tag"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Nos conte que tipo de site você deseja fazer"; -/* No comment provided by engineer. */ -"Template Part" = "Parte de modelo"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Parte de modelo \"%s\" inserida."; - -/* No comment provided by engineer. */ -"Template Parts" = "Partes de modelo"; - -/* No comment provided by engineer. */ -"Template part created." = "Parte de modelo criada."; - -/* No comment provided by engineer. */ -"Templates" = "Modelos"; - -/* No comment provided by engineer. */ -"Term description." = "Descrição do termo."; - /* The underlined title sentence */ "Terms and Conditions" = "Termos e condições"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Apenas texto"; -/* No comment provided by engineer. */ -"Text link settings" = "Configurações de link de texto"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Envie-me o código por SMS"; -/* No comment provided by engineer. */ -"Text settings" = "Configurações de texto"; - -/* No comment provided by engineer. */ -"Text tracks" = "Faixas de texto"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Obrigado por escolher %1$@ de %2$@"; @@ -7564,7 +6458,7 @@ "The Site Title is displayed in the title bar of a web browser and is displayed in the header for most themes." = "O título do site é exibido na barra de título do navegador e também no cabeçalho da maioria dos temas."; /* Message for stories unsupported device error. */ -"The Stories editor is not currently available for your iPad. Please try Stories on your iPhone." = "The Stories editor is not currently available for your iPad. Please try Stories on your iPhone."; +"The Stories editor is not currently available for your iPad. Please try Stories on your iPhone." = "O editor de Stories não está disponível no momento para seu iPad. Se possível, tente editar as Stories em um iPhone."; /* Error message describing a problem with a URL. */ "The URL is missing a valid host." = "Está faltando um host válido no URL."; @@ -7581,17 +6475,8 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "O certificado para este servidor é inválido. Você talvez esteja conectando a um servidor que está fingindo ser \"%@\", o que poderia colocar suas informações confidenciais em risco."; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "O URL da imagem do poster atual é %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "O resumo está oculto."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "O resumo está visível."; - /* Title for a threat that includes the file name of the file */ -"The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; +"The file %1$@ contains a malicious code pattern" = "O arquivo %1$@ contém um padrão de código malicioso"; /* Message shown when an image failed to load while trying to add it to the Media library. */ "The image could not be added to the Media Library." = "Não foi possível adicionar a imagem à biblioteca de mídia."; @@ -7610,10 +6495,10 @@ "The language in which this site is primarily written." = "Idioma principal do site."; /* Description for label when there are no threats on a users site and how long ago the scan ran. */ -"The last Jetpack scan ran %1$@ and did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today." = "The last Jetpack scan ran %1$@ and did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today."; +"The last Jetpack scan ran %1$@ and did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today." = "A última varredura do Jetpack foi feita em %1$@ e não encontrou nenhum risco.\n\nPara examinar seu site novamente, faça uma varredura manual ou aguarde que o Jetpack inicie uma nova varredura mais tarde."; /* Description that informs for label when there are no threats on a users site */ -"The last jetpack scan did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today." = "The last jetpack scan did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today."; +"The last jetpack scan did not find any risks.\n\nTo review your site again run a manual scan, or wait for Jetpack to scan your site later today." = "A última varredura do Jetpack não encontrou nenhum risco.\n\nPara examinar seu site novamente, faça uma varredura manual ou aguarde que o Jetpack inicie uma nova varredura mais tarde."; /* WordPress.com Push Authentication Expired message */ "The login request has expired. Log in to WordPress.com to try again." = "A solicitação de login expirou. Faça login no WordPress.com para tentar novamente."; @@ -7625,7 +6510,7 @@ "The number of posts to show per page." = "O número de posts a serem mostrados por página."; /* Message displayed in popup when user tries to copy a post with conflicts */ -"The post you are trying to copy has two versions that are in conflict or you recently made changes but didn't save them.\nEdit the post first to resolve any conflict or proceed with copying the version from this app." = "The post you are trying to copy has two versions that are in conflict or you recently made changes but didn't save them.\nEdit the post first to resolve any conflict or proceed with copying the version from this app."; +"The post you are trying to copy has two versions that are in conflict or you recently made changes but didn't save them.\nEdit the post first to resolve any conflict or proceed with copying the version from this app." = "O post que você está tentando copiar possui duas versões em conflito ou você fez alterações recentemente que não foram salvas.\nPrimeiro edite o post para corrigir qualquer conflito e depois copie a versão no aplicativo."; /* Description shown in alert to confirm skipping all quick start items */ "The quick start tour will guide you through building a basic site. Are you sure you want to skip? " = "O guia de início rápido te guiará pelos passos necessários para construir um site básico. Tem certeza de que deseja pular essa etapa? "; @@ -7661,10 +6546,10 @@ "The specified user cannot be found. Please, verify if it's correctly spelt." = "O usuário especificado não foi encontrado. Verifique se esta soletrado corretamente."; /* Title for the technical details section in Threat Details */ -"The technical details" = "The technical details"; +"The technical details" = "Os detalhes técnicos"; /* Message displayed when a threat is fixed successfully. */ -"The threat was successfully fixed." = "The threat was successfully fixed."; +"The threat was successfully fixed." = "A ameaça foi corrigida com sucesso."; /* People: Invitation Error */ "The user already has the specified role. Please, try assigning a different role." = "O usuário já possui essa função. Tente atribuir uma função diferente."; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Não foi possível adicionar o vídeo à biblioteca de mídia."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "O carriço
ganha a vida
silenciosamente."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema ativado"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Ocorreu um problema ao se conectar com %@. Conecte-se novamente para continuar divulgando"; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "Nenhuma imagem do poster selecionada no momento"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7759,7 +6638,7 @@ "There was a problem when trying to access your media. Please try again later." = "Ocorreu um problema ao tentar acessar sua mídia. Tente novamente mais tarde."; /* Message for stories unknown error. */ -"There was a problem with the Stories editor. If the problem persists you can contact us via the Me > Help & Support screen." = "There was a problem with the Stories editor. If the problem persists you can contact us via the Me > Help & Support screen."; +"There was a problem with the Stories editor. If the problem persists you can contact us via the Me > Help & Support screen." = "Ocorreu um problema no editor de Stories. Caso o problema persista, entre em contato conosco por meio da tela Eu > Ajuda e suporte."; /* Text displayed when there is a failure changing the password. Text displayed when there is a failure loading the history. */ @@ -7781,10 +6660,10 @@ "There was an error loading the plan" = "Houve um erro ao carregar o plano"; /* Text displayed when there is a failure loading the history feed */ -"There was an error loading the scan history" = "There was an error loading the scan history"; +"There was an error loading the scan history" = "Ocorreu um erro ao carregar o histórico da varredura."; /* Text displayed when there is a failure loading the status */ -"There was an error loading the scan status" = "There was an error loading the scan status"; +"There was an error loading the scan status" = "Ocorreu um erro ao carregar o status da varredura."; /* Text displayed when there is a failure loading the plugin */ "There was an error loading this plugin" = "Houve um erro ao carregar esse plugin"; @@ -7799,13 +6678,13 @@ "There was an error updating @%@" = "Ocorreu um erro ao atualizar @%@"; /* Text displayed when user tries to create a downloadable backup when there is already one being prepared */ -"There's a backup currently being prepared, please wait before starting the next one" = "There's a backup currently being prepared, please wait before starting the next one"; +"There's a backup currently being prepared, please wait before starting the next one" = "Há um backup sendo criado no momento. Aguarde pelo seu término antes de iniciar o próximo."; /* Text displayed when user tries to start a restore when there is already one running */ "There's a restore currently in progress, please wait before starting next one" = "Há uma restauração em progresso. Aguarde pelo seu término antes de iniciar a próxima."; /* Text displayed when user tries to start a restore when there is already one running */ -"There's a restore currently in progress, please wait before starting the next one" = "There's a restore currently in progress, please wait before starting the next one"; +"There's a restore currently in progress, please wait before starting the next one" = "Há uma restauração em progresso no momento. Aguarde pelo seu término antes de iniciar a próxima."; /* Second story intro item description */ "They're published as a new blog post on your site so your audience never misses out on a thing." = "São publicados como novos posts em seu site para que sua audiência não perca nada."; @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Este aplicativo precisa de permissão para acessar sua biblioteca de mídia e adicionar fotos e\/ou vídeos ao seus posts. Altere as configurações de privacidade para permitir isto."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "Esse bloco está obsoleto. Use o bloco Colunas no lugar dele."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "Esta contagem de colunas excede a quantidade recomendada e pode causar problemas no design."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Este domínio não está disponível"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Ameaça ignorada."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Três colunas. Divisão igual"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Três colunas. Coluna central mais ampla"; - -/* No comment provided by engineer. */ -"Three." = "Três."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Título"; -/* No comment provided by engineer. */ -"Title & Date" = "Título e data"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Título e resumo"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Título para uma categoria é obrigatória."; -/* No comment provided by engineer. */ -"Title of track" = "Título da faixa"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Título, data e resumo"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Adicionar fotos ou vídeos aos seus posts."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Para continuar usando esta conta do Google, primeiro faça login com a sua senha do WordPress.com. Isto só será solicitado uma vez."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "Para mostrar um comentário, informe a ID do comentário."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Para tirar fotos ou gravar vídeos para usar nos seus posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Exibir código HTML"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Alternar navegação"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Alternar a exibição de uma letra inicial grande."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Alterna o estilo da lista ordenada"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total de palavras"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "As faixas podem ser subtítulo, legendas, capítulos ou descrições. Elas ajudam seu conteúdo a ser mais acessível para um maior grupo de visitantes."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfego"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformar %s em"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformar bloco..."; + /* No comment provided by engineer. */ "Translate" = "Traduzir"; @@ -8090,7 +6936,7 @@ "Try Again" = "Tente novamente"; /* Text displayed in the view when there aren't any backups to display for a given filter. */ -"Try adjusting your date range filter" = "Try adjusting your date range filter"; +"Try adjusting your date range filter" = "Tente ajustar o intervalo de datas no filtro"; /* Text display when the view when there aren't any Activities to display in the Activity Log for a given filter. */ "Try adjusting your date range or activity type filters" = "Tente ajustar o período ou o filtro de tipos de atividade"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nome de usuário do Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Duas colunas. Divididas igualmente"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Duas colunas. Divididas em um terço e dois terços"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Duas colunas. Divididas em dois terços e um terço"; - -/* No comment provided by engineer. */ -"Two." = "Dois."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Digite uma palavra-chave para mais ideias"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Site sem nome"; -/* No comment provided by engineer. */ -"Unordered" = "Não ordenado"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Lista não ordenada"; @@ -8391,14 +7222,11 @@ "Unsupported" = "Não compatível"; /* Title for stories unsupported device error. */ -"Unsupported Device" = "Unsupported Device"; +"Unsupported Device" = "Dispositivo não suportado"; /* Label for an untitled post in the revision browser */ "Untitled" = "Sem título"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Parte do modelo sem título"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "São salvos até sete dias de registros de log."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Fazer upload de mídia"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Envie um arquivo ou escolha um da sua biblioteca de mídia."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Envie um ícone do site"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Envie uma imagem ou escolha uma da sua biblioteca de mídia para ser o logo do site"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Falha ao carregar"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Usar a localização atual"; -/* No comment provided by engineer. */ -"Use URL" = "Usar URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Usar o editor de blocos"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use o editor clássico do WordPress."; - /* Footer text for Invite Links section of the Invite People screen. */ -"Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; +"Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use este link para integrar os membros da sua equipe sem ter que convidá-los um por um. Qualquer pessoa que visitar este URL poderá se inscrever em sua organização, mesmo que tenha recebido o link de outra pessoa, então certifique-se de compartilhá-lo com pessoas de confiança."; /* No comment provided by engineer. */ "Use this site" = "Usar este site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifique seu endereço de e-mail. As instruções foram enviadas para %@"; -/* No comment provided by engineer. */ -"Verse text" = "Texto do verso"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versão"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "A versão %@ está disponível"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Pré-visualização do vídeo não disponível."; -/* No comment provided by engineer. */ -"Video caption text" = "Texto da legenda do vídeo"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Legenda do vídeo. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Leitores"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Altura da janela de visualização (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema comprometido: %1$@ (versão %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Eis que temos aqui a Poesia,\na grande Poesia.\nQue não oferece signos\nnem linguagem específica, não respeita\nsequer os limites do idioma. Ela flui, como um rio.\ncomo o sangue nas artérias,\ntão espontânea que nem se sabe como foi escrita."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8850,10 +7648,10 @@ "We couldn't upload this media." = "Não foi possível enviar essa mídia."; /* Hint displayed when we fail to fetch the status of the backup in progress. */ -"We couldn’t find the status to say how long your backup will take." = "We couldn’t find the status to say how long your backup will take."; +"We couldn’t find the status to say how long your backup will take." = "Não conseguimos encontrar o status para informar quanto tempo a criação do backup levará."; /* Hint displayed when we fail to fetch the status of the restore in progress. */ -"We couldn’t find the status to say how long your restore will take." = "We couldn’t find the status to say how long your restore will take."; +"We couldn’t find the status to say how long your restore will take." = "Não conseguimos encontrar o status para informar quanto tempo a restauração levará."; /* Message to show when Keyring connection synchronization failed. %@ is a service name like Facebook or Twitter */ "We had trouble loading connections for %@" = "Tivemos problemas ao carregar conexões para %@"; @@ -8868,7 +7666,7 @@ "We made big improvements to the block editor and think it's worth a try!\n\nWe enabled it for new posts and pages but if you'd like to change to the classic editor, go to 'My Site' > 'Site Settings'." = "Fizemos grandes melhorias no editor de blocos e achamos que vale a pena testá-lo.\n\nO editor de blocos foi ativado para novos posts e páginas mas, caso você queira voltar ao editor clássico, é possível fazer a alteração em Meu site > Configurações do site."; /* Message displayed when a backup has finished */ -"We successfully created a backup of your site as of %@" = "We successfully created a backup of your site as of %@"; +"We successfully created a backup of your site as of %@" = "O backup do seu site foi criado com sucesso para %@"; /* Description for the Jetpack Backup Complete message. %1$@ is a placeholder for the selected date. */ "We successfully created a backup of your site from %1$@." = "O backup do seu site em %1$@ foi criado com sucesso."; @@ -8880,7 +7678,7 @@ "We were unable to send you an email at this time. Please try again later." = "Não foi possível enviar um e-mail para você no momento. Tente novamente mais tarde."; /* Description for label when the actively scanning the users site */ -"We will send you an email if security threats are found. In the meantime feel free to continue to use your site as normal, you can check back on progress at any time." = "We will send you an email if security threats are found. In the meantime feel free to continue to use your site as normal, you can check back on progress at any time."; +"We will send you an email if security threats are found. In the meantime feel free to continue to use your site as normal, you can check back on progress at any time." = "Enviaremos um e-mail se forem encontradas ameaças à segurança. Enquanto isso, fique à vontade para continuar a usar seu site normalmente. Você pode verificar o progresso a qualquer momento."; /* Title for notice displayed on canceling auto-upload published page Title for notice displayed on canceling auto-upload published post */ @@ -8947,7 +7745,7 @@ "We're doing the final setup—almost done…" = "Estamos fazendo as últimas configurações. Quase pronto."; /* Detail text display informing the user that we're fixing threats */ -"We're hard at work fixing these threats in the background. In the meantime feel free to continue to use your site as normal, you can check back on progress at any time." = "We're hard at work fixing these threats in the background. In the meantime feel free to continue to use your site as normal, you can check back on progress at any time."; +"We're hard at work fixing these threats in the background. In the meantime feel free to continue to use your site as normal, you can check back on progress at any time." = "Vamos corrigir essas ameaças enquanto você faz outras coisas. Enquanto isso, sinta-se à vontade para continuar usando o site normalmente. Você pode conferir o progresso a qualquer momento."; /* Error message shown when having trouble connecting to a Jetpack site. */ "We're not able to connect to the Jetpack site at that URL. Contact us for assistance." = "Não conseguimos conectar ao site do JetPack com esse URL. Entre em contato para ajudarmos."; @@ -8988,11 +7786,8 @@ /* A message title */ "Welcome to the Reader" = "Bem-vindo(a) ao leitor"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Boas-vindas ao maravilhoso mundo dos blocos..."; - /* Caption displayed in promotional screens shown during the login flow. */ -"Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; +"Welcome to the world's most popular website builder." = "Desejamos boas-vindas ao criador de sites mais popular do mundo."; /* Shown in the prologue carousel (promotional screens) during first launch. */ "Welcome to the world’s most popular website builder." = "Desejamos boas-vindas ao criador de sites mais popular do mundo."; @@ -9004,7 +7799,7 @@ "We’ll always send important emails regarding your account, but you can get some helpful extras, too." = "Sempre enviaremos e-mails importantes sobre a sua conta, mas você também pode ter acesso a conteúdo extra."; /* The message of a notice telling users that the classic editor is deprecated and will be removed in a future version of the app. */ -"We’ll be removing the classic editor for new posts soon, but this won’t affect editing any of your existing posts or pages. Get a head start by enabling the Block Editor now in site settings." = "We’ll be removing the classic editor for new posts soon, but this won’t affect editing any of your existing posts or pages. Get a head start by enabling the Block Editor now in site settings."; +"We’ll be removing the classic editor for new posts soon, but this won’t affect editing any of your existing posts or pages. Get a head start by enabling the Block Editor now in site settings." = "Removeremos o editor clássico para novos posts em breve mas isso não alterará a edição de posts e páginas existentes. Você pode adiantar o processo ativando o editor de blocos agora nas configurações de seu site."; /* Hint displayed when we fail to fetch the status of the backup in progress. Hint displayed when we fail to fetch the status of the restore in progress. */ @@ -9026,7 +7821,7 @@ "We’ve made some changes to your checklist" = "Fizemos algumas alterações na lista"; /* Body text of alert informing users about the Reader Save for Later feature. */ -"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer."; +"We’ve updated our custom app icons with a fresh new look. There are 10 new styles to choose from, or you can simply keep your existing icon if you prefer." = "Atualizamos os ícones personalizados de nosso aplicativo para um visual mais moderno. Agora há 10 novos estilos para escolher ou você pode continuar usando o atual."; /* This is the string we display when prompting the user to review the app */ "What do you think about WordPress?" = "O que você acha do WordPress?"; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ooops, este não é um código de verificação em duas etapas válido. Confira o código e tente novamente!"; -/* No comment provided by engineer. */ -"Wide Line" = "Linha ampla"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Largura em pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Não será exibido publicamente."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Com esse editor avançado, você publica seus posts de onde estiver."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Tordo cantando no Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Configurações do aplicativo WordPress"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Insira o código..."; -/* No comment provided by engineer. */ -"Write file name…" = "Insira o nome do arquivo..."; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Insira uma legenda para a galeria..."; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Insira o texto pré-formatado..."; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Insira o shortcode aqui..."; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Insira a descrição do site..."; - -/* No comment provided by engineer. */ -"Write site title…" = "Insira o título do site..."; - -/* No comment provided by engineer. */ -"Write title…" = "Insira o título..."; - -/* No comment provided by engineer. */ -"Write verse…" = "Insira o verso..."; - /* Title for the writing section in site settings screen */ "Writing" = "Escrita"; @@ -9368,7 +8130,7 @@ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Parece que você instalou um plugin mobile proveniente de DudaMobile que está evitando o app de se conectar ao seu blog"; /* Message displayed in ignore threat alert. %1$@ is a placeholder for the blog name. */ -"You shouldn’t ignore a security issue unless you are absolutely sure it’s harmless. If you choose to ignore this threat, it will remain on your site \"%1$@\"." = "You shouldn’t ignore a security issue unless you are absolutely sure it’s harmless. If you choose to ignore this threat, it will remain on your site \"%1$@\"."; +"You shouldn’t ignore a security issue unless you are absolutely sure it’s harmless. If you choose to ignore this threat, it will remain on your site \"%1$@\"." = "Você não deve ignorar uma ameaça de segurança a menos que tenha certeza absoluta de que é inofensiva. Se você decidir ignorar essa ameaça, ela permanecerá em seu site \"%1$@\"."; /* Paragraph text that needs to be highlighted */ "You will not be able to change your username back." = "Você não poderá trocar seu nome de usuário novamente."; @@ -9413,7 +8175,7 @@ "Your first backup will be ready soon" = "Seu primeiro backup estará pronto em breve"; /* Error message when picked media cannot be imported into stories. */ -"Your media could not be exported. If the problem persists you can contact us via the Me > Help & Support screen." = "Your media could not be exported. If the problem persists you can contact us via the Me > Help & Support screen."; +"Your media could not be exported. If the problem persists you can contact us via the Me > Help & Support screen." = "Não foi possível exportar seu arquivo de mídia. Caso o problema persista, entre em contato conosco por meio da tela Eu > Ajuda e suporte."; /* shown in promotional screens during first launch */ "Your notifications travel with you — see comments and likes as they happen." = "Suas notificações sempre com você - veja comentários e curtidas assim que ocorrerem."; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "O endereço do seu site é exibido na barra superior quando visitado no Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Seu site não inclui o suporte para o bloco \"%s\". Você pode deixar esse bloco como está ou removê-lo totalmente."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Seu site não inclui o suporte para o bloco \"%s\". Você pode deixar esse bloco como está, pode convertê-lo para um bloco de HTML personalizado ou removê-lo totalmente."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Seu site não oferece suporte para este bloco."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Seu site foi criado!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Agora você está usando o editor de blocos para novos posts — ótimo! Se você quiser mudar para o editar clássico, acesse ‘Meu site’ > ‘Configurações do site’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMENTÁRIO]"; @@ -9505,47 +8255,17 @@ /* Age between dates equaling one hour. */ "an hour" = "uma hora"; -/* No comment provided by engineer. */ -"archive" = "arquivo"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "áudio"; -/* No comment provided by engineer. */ -"blockquote" = "citação"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "lista com marcadores"; - /* Used when displaying author of a plugin. */ "by %@" = "por %@"; -/* No comment provided by engineer. */ -"cite" = "citar"; - /* The menu item to select during a guided tour. */ "connections" = "conexões"; /* No comment provided by engineer. */ -"container" = "contêiner"; - -/* No comment provided by engineer. */ -"description" = "descrição"; - -/* No comment provided by engineer. */ -"divider" = "separador"; - -/* No comment provided by engineer. */ -"document" = "documento"; - -/* No comment provided by engineer. */ -"document outline" = "document outline"; +"document outline" = "visão geral do documento"; /* subhead shown to users when they complete all Quick Start items */ "doesn’t it feel good to cross things off a list?" = "Não é ótimo riscar os itens da lista?"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "toque duas vezes para alterar a unidade"; -/* No comment provided by engineer. */ -"download" = "baixar"; - -/* No comment provided by engineer. */ -"ebook" = "e-book"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ex. 1112345678"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ex. 55"; -/* No comment provided by engineer. */ -"embed" = "incorporar"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "exemplo.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "encontrar"; - /* Noun. Describes a site's follower. */ "follower" = "seguidor"; -/* No comment provided by engineer. */ -"form" = "formulário"; - -/* No comment provided by engineer. */ -"horizontal-line" = "linha horizontal"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/endereco-do-meu-site (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "imagem"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "imagem %1$d de %2$d na galeria"; -/* No comment provided by engineer. */ -"images" = "Imagens"; - /* Text for related post cell preview */ "in \"Apps\"" = "em \"Aplicativos\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "mais tarde hoje"; -/* No comment provided by engineer. */ -"link" = "link"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "acessar"; - -/* No comment provided by engineer. */ -"logout" = "sair"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "filme"; - -/* No comment provided by engineer. */ -"music" = "música"; - -/* No comment provided by engineer. */ -"navigation" = "navegação"; - -/* No comment provided by engineer. */ -"next page" = "próxima página"; - -/* No comment provided by engineer. */ -"numbered list" = "lista numerada"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "de"; -/* No comment provided by engineer. */ -"ordered list" = "lista ordenada"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "outro"; -/* No comment provided by engineer. */ -"pagination" = "paginação"; - /* No comment provided by engineer. */ "password" = "senha"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "número de telefone"; -/* No comment provided by engineer. */ -"photos" = "fotos"; - -/* No comment provided by engineer. */ -"picture" = "imagem"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poema"; - -/* No comment provided by engineer. */ -"poetry" = "poesia"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "leia mais"; - -/* No comment provided by engineer. */ -"recent comments" = "comentários recentes"; - -/* No comment provided by engineer. */ -"recent posts" = "posts recentes"; - -/* No comment provided by engineer. */ -"recording" = "gravação"; - -/* No comment provided by engineer. */ -"row" = "linha"; - -/* No comment provided by engineer. */ -"section" = "seção"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "som"; - -/* No comment provided by engineer. */ -"subtitle" = "legenda"; - /* No comment provided by engineer. */ "summary" = "sumário"; -/* No comment provided by engineer. */ -"survey" = "pesquisa"; - -/* No comment provided by engineer. */ -"text" = "texto"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "estes itens serão excluídos:"; -/* No comment provided by engineer. */ -"title" = "título"; - /* Today */ "today" = "hoje"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "invólucro"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "seu novo domínio %@ está sendo configurado. Seu site está dando saltos de alegria!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domínios"; diff --git a/WordPress/Resources/pt.lproj/Localizable.strings b/WordPress/Resources/pt.lproj/Localizable.strings index 216e33ddf4dd..ee1a6f3f087f 100644 --- a/WordPress/Resources/pt.lproj/Localizable.strings +++ b/WordPress/Resources/pt.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Um botão \"mais\" que contém uma selecção de vários botões de partilha"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "MORADA"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Sobre"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Adicione texto alternativo (alt)"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Adicionar site alojado em servidor próprio"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Adicionar etiquetas"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Álbuns"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Alinhamento"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ocorreu um erro desconhecido. Por favor, tente de novo."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprovar este comentário."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Tem a certeza que quer cancelar e descartar as alterações?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Bloquear tentativas maliciosas de iniciar sessão"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Visitante do site"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Negrito"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Separar comentários em múltiplas páginas."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Estilo de botão"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "A calcular..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Câmara"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Legenda"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Cuidado!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Categoria"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Falta o título da categoria."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Erro de certificado"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Falhou ao alterar"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Erro ao verificar compras"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Escolher domínio"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Fechar comentários"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Ligações"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contacto"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contactar suporte"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contacte-nos em %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Não foi possível verificar compras no site."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Não foi possível seguir o site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Criar site em WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Customize your site settings for Likes, Comments, Follows, and more."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Por omissão"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Por omissão para novos artigos"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Erro ao eliminar site"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Descrição"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalhes"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Nome a mostrar"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Documento: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Rascunhos"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Este"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editar artigo"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Editar ficheiro"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editar botões de partilha"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email enviado!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL vazio"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportar conteúdo"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Imagem de destaque não foi carregada"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "A obter temas..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tipo de ficheiro"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Nome"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Reencaminhar"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Gratuitos"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Desistir"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Conteúdo HTML"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Título 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Título 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Título 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Ajuda"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Esconder teclado"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Reter para moderação"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Tamanho da imagem"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Título da imagem"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Título da imagem"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagem, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Imediatamente"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Em poucas palavras, explique sobre o que é este site."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nome de utilizador ou senha incorrectos. Por favor insira os seus dados de novo."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserir multimédia"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Inserir multimédia"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Itálico"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Utilizadores conhecidos"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Legenda"; -/* No comment provided by engineer. */ -"Landscape" = "Horizontal"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Idioma"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Grande"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Resumo do último conteúdo"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Saber mais"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Saiba mais sobre formatação de data e hora."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Deixe-nos ajudar"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Ligação para"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Ligações em comentários"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Carregar"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "A carregar..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Terminar sessão do WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Pedido de início de sessão expirado"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Relatórios"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Esqueceu-se da senha?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navegação principal"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Tamanho máximo de carregamento de imagens"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Resolução máxima dos vídeos"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Falhou ao pré-visualizar multimédia."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Meses"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "O meu perfil"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Necessita de ajuda?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Mais recentes"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Seguinte"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Notificação seguinte"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Não"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Sem ligação ao servidor"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Sem itens"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Sem comentários"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Nenhum conteúdo recente"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nada encontrado."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Número"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Lista numerada"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Ups!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Abrir definições do dispositivo"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Abrir WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Lista ordenada"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organização"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Outros sites"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Página"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Página restaurada para os rascunhos."; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paginação"; -/* No comment provided by engineer. */ -"Paragraph" = "Parágrafo"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categoria superior"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Planos"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Reproduzir vídeo"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Idiomas populares"; -/* No comment provided by engineer. */ -"Portrait" = "Vertical"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Publicar"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorias de conteúdo"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Formato do artigo"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Conteúdo restaurado para os rascunhos."; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Conteúdos"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Notificação anterior"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Site principal"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projectos"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Público"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "A publicar..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Compras"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Classifique-nos na App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referrer"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Artigos Relacionados, permite mostrar outros artigos do seu site com conteúdo relacionado com o artigo actual"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remover vídeo"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionar e cortar"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolução"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Reverter alteração pendente"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Papel"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS enviado"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Seleccione o estilo do parágrafo"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Mostrar cabeçalho"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Idioma do site"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sites"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Tamanho"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Lamentamos mas o nome de utilizador é inválido."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Desculpe mas o nome de utilizador apenas pode conter letras minúsculas (a-z) e números."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Código fonte"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sul"; /* Label for showing the available disk space quota available for media */ "Space used" = "Espaço usado"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Padrão"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Começar de novo"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Rasurado"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submeter para revisão..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Suporte"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Mudar de site"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiqueta"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Apenas texto"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Obrigado por escolher o %1$@ de %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Não foi possível adicionar o vídeo à biblioteca multimédia."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema activado"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "WordPress precisa de autorização para aceder à biblioteca multimédia do seu dispositivo para poder adicionar fotos e vídeos aos seus artigos. Por favor, actualize as suas definições de privacidade."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatura"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Título"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "O título da categoria é obrigatório."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Para adicionar fotos ou vídeos aos seus artigos."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "To take photos or videos to use in your posts."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Mudar para modo HTML"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Tráfego"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nome de utilizador do Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Site sem nome"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Lista não ordenada"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Carregar multimédia"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "O carregamento falhou."; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Usar localização actual"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Usar este site"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versão"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Pré-visualização de vídeo indisponível"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Visitantes"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Bem-vindo ao Leitor"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Não será mostrado ao público."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "A escrever"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "uma hora"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "áudio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "por %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "seguidor"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/endereço-do-meu-site (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "imagem"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "in \"Apps\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "mais logo"; -/* No comment provided by engineer. */ -"link" = "ligação"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "lista ordenada"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "outros"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "hoje"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domínios"; diff --git a/WordPress/Resources/ro.lproj/Localizable.strings b/WordPress/Resources/ro.lproj/Localizable.strings index f35989977f7b..3a576d37ae17 100644 --- a/WordPress/Resources/ro.lproj/Localizable.strings +++ b/WordPress/Resources/ro.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d articole nevăzute"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d din %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s a fost transformat în %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s este %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li cuvinte, %2$li de caractere"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "Opțiuni bloc %s"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Bloc %s. Gol"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Bloc %s. Acest bloc are conținut invalid"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "Etichetă %s"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "„%s” nu este acceptat în totalitate"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ linie adresă %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Selectează -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Un „bloc” este termenul abstract folosit\n\/\/ pentru a descrie unitățile de markup care,\n\/\/ atunci când sunt redactate împreună, formează\n\/\/ conținutul sau aranjamentul unei pagini.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "O ciornă articol încărcată"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Am găsit o posibilă amenințare"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25\/50\/25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30\/70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33\/33\/33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50\/50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70\/30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< o oră"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Patrulare prin zăpadă<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Un buton \"mai mult\" conține o listă desfășurată care afișează butoane de partajare"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "Un calendar al articolelor de pe situl tău."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "Un nor cu cele mai folosite etichete."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "O colecție de blocuri care permite vizitatorilor să navigheze pe situl tău."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A fost setată o imagine reprezentativă. Atinge pentru a o schimba."; /* Title for a threat */ "A file contains a malicious code pattern" = "Un fișier conține un model de cod care poate crea vulnerabilități"; -/* No comment provided by engineer. */ -"A link to a category." = "O legătură la o categorie."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "O legătură la un URL personalizat."; - -/* No comment provided by engineer. */ -"A link to a page." = "O legătură la o pagină."; - -/* No comment provided by engineer. */ -"A link to a post." = "O legătură la un articol."; - -/* No comment provided by engineer. */ -"A link to a tag." = "O legătură la o etichetă."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "O listă de situri asociate cu acest cont."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "O serie de pași care te ajută să aduci mai mulți vizitatori pe sit."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "O singură coloană într-un bloc de coloane."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Există deja o etichetă cu numele „%@”."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESĂ"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Despre"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Adaugă un cartuș nou pentru statistici"; -/* No comment provided by engineer. */ -"Add Template" = "Adaugă șablon"; - /* No comment provided by engineer. */ "Add To Beginning" = "Adaugă la început"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Adaugă un subiect"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Adaugă un bloc care afișează conținut pe mai multe coloane, apoi adaugă blocurile de conținut dorite."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Adaugă un bloc care afișează conținut extras de pe alte situri, cum ar fi Twitter, Instagram sau YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Adaugă aici URL-ul pentru CSS-ul personalizat care să fie încărcat în Cititor. Dacă rulezi Calypso local, ar trebuie să fi ceva de genul: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Adaugă o legătură la un fișier ce poate fi descărcat."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Adaugă o pagină, o legătură sau un alt element în navigare."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Adaugă un sit auto-găzduit"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Adaugă text alternativ"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Adaugă o imagine sau un video cu o suprapunere de text - excelentă pentru anteturi."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Adaugă orice subiect"; /* No comment provided by engineer. */ "Add caption" = "Adaugă text imaginii"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Adaugă o citare"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Adaugă cod HTML personalizat și previzualizează-l pe măsură ce editezi."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Adaugă o imagine sau un avatar care să reprezinte acest cont nou."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Adaugă un bloc Paragraf"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Adaugă citat"; - /* Add self-hosted site button */ "Add self-hosted site" = "Adaugă un sit auto-găzduit"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Adaugă etichete"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Adaugă text care respectă spațierea și filele și permite, de asemenea, designul."; - /* No comment provided by engineer. */ "Add text…" = "Adaugă text..."; -/* No comment provided by engineer. */ -"Add the author of this post." = "Adaugă autorul acestui articol."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Adaugă data acestui articol."; - /* No comment provided by engineer. */ "Add this email link" = "Adaugă această legătură la email"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Adaugă această legătură la telefon"; -/* No comment provided by engineer. */ -"Add tracks" = "Adaugă fișiere muzicale"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Adaugă spațiu gol între blocuri și personalizează-i înălțimea."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adaug funcționalitățile sitului"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albume"; -/* No comment provided by engineer. */ -"Align column center" = "Aliniază coloana la centru"; - -/* No comment provided by engineer. */ -"Align column left" = "Aliniază coloana la stânga"; - -/* No comment provided by engineer. */ -"Align column right" = "Aliniază coloana la dreapta"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Aliniere"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "A apărut o eroare."; -/* No comment provided by engineer. */ -"An example title" = "Un exemplu de titlu"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "A apărut o eroare necunoscută. Te rog încearcă din nou."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Aprobă comentariul."; -/* No comment provided by engineer. */ -"Archive Title" = "Titlu arhivă"; - -/* No comment provided by engineer. */ -"Archive title" = "Titlu arhivă"; - -/* No comment provided by engineer. */ -"Archives settings" = "Setări arhive"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Sigur vrei să anulezi și să renunți la modificări?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Sigur vrei să actualizezi?"; -/* No comment provided by engineer. */ -"Area" = "Zonă"; - /* An example tag used in the login prologue screens. */ "Art" = "Artă"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Începând cu 1 august 2018, Facebook nu mai permite partajarea directă a articolelor în profilurile Facebook. Conexiunile la paginile Facebook rămân neschimbate."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Raport aspect"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Atașează fișierul ca o legătură"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Player audio"; -/* No comment provided by engineer. */ -"Audio caption text" = "Text pentru textul asociat fișierului audio"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Text asociat audio. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Blocurile nu pot fi randate în interiorul lor."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Bloc copiat"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Bloc șters"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Bloc duplicat"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Editor de blocuri activat"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blochează încercările de autentificare rău intenționate"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Bloc plasat"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Bloc înlăturat"; + +/* No comment provided by engineer. */ +"Block settings" = "Setări blocuri"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blochează acest sit"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Vizitator blog"; -/* No comment provided by engineer. */ -"Body cell text" = "Text pentru celulele din corpul tabelului"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Bold"; -/* No comment provided by engineer. */ -"Border" = "Chenar"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Împarte firele de discuție pe mai multe pagini."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Descrie pe scurt legătura pentru a ajuta utilizatorii din ecranul Cititor."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Răsfoiește toate temele pentru a o găsi pe cea care ți se potrivește perfect."; -/* No comment provided by engineer. */ -"Browse all templates" = "Răsfoiește toate șabloanele"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Răsfoiește toate șabloanele. Se va deschide meniul cu șabloane din panoul lateral de navigare."; - /* No comment provided by engineer. */ "Browser default" = "Navigator implicit"; @@ -1159,10 +1007,7 @@ "Button Style" = "Stil buton"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Butoanele afișate într-o coloană."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Butoane afișate într-un rând."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "De"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculez..."; -/* No comment provided by engineer. */ -"Call to Action" = "Apel la acțiune"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Camera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Text asociat"; -/* No comment provided by engineer. */ -"Captions" = "Texte asociate"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Atenție!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Categorie"; -/* No comment provided by engineer. */ -"Category Link" = "Legătură la categorie"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Lipsește titlul categoriei"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Eroare certificat"; -/* No comment provided by engineer. */ -"Change Date" = "Schimbă data"; - /* Account Settings Change password label Main title */ "Change Password" = "Schimbă parola"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Schimbă poziția blocului"; -/* No comment provided by engineer. */ -"Change column alignment" = "Modifică alinierea coloanei"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Modificare eșuată"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Modific numele de utilizator"; -/* No comment provided by engineer. */ -"Chapters" = "Capitole"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Eroare la verificare cumpărături"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Alege domeniul"; -/* No comment provided by engineer. */ -"Choose existing" = "Alege unul existent"; - /* No comment provided by engineer. */ "Choose file" = "Alege fișierul"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Ștergi toate jurnalele de activități vechi?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Șterge personalizările"; - /* No comment provided by engineer. */ "Clear search" = "Șterge căutarea"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Închide comentarea"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Închide bara laterală cu stiluri globale"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Închide bara laterală cu vizualizarea ca listă"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Închide bara laterală cu setări"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Închide ecranul Eu"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Cod"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Codul este poezie"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Restrânsă, %i sarcini finalizate, comutarea extinde lista acestor sarcini"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Fundaluri pline de culoare"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Text pentru coloana %d"; - -/* No comment provided by engineer. */ -"Column count" = "Număr de coloane"; - -/* No comment provided by engineer. */ -"Column settings" = "Setări coloană"; - -/* No comment provided by engineer. */ -"Columns" = "Coloane"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combină blocurile într-un grup."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combini fotografii, videouri și text pentru a crea articole narațiune captivante pe care vizitatorii tăi le pot citi și cu siguranță le vor îndrăgi."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Conexiuni"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Contact"; - /* Support email label. */ "Contact Email" = "Email de contact"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contactează suportul"; -/* No comment provided by engineer. */ -"Contact us" = "Contactează-ne"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contactează-ne la %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Structură conținut\nBlocuri: %1$li; cuvinte: %2$li; caractere: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Conținutul găsit înainte de acest bloc va fi arătat ca rezumat în paginile arhivei tale."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continui cu Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convertește în blocuri"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convertește în listă ordonată"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convertește în listă neordonată"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Bucătărie"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "URL-ul a fost copiat în clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Bloc copiat"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copiază legătura în comentariu"; /* No comment provided by engineer. */ -"Copy URL" = "Copiază URL-ul"; +"Copy block" = "Copiază blocul"; /* No comment provided by engineer. */ "Copy file URL" = "Copiază URL-ul fișierului"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nu s-au putut verifica cumpărăturile pentru sit."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Nu am putut edita imaginea. %s"; - /* Title of a prompt. */ "Could not follow site" = "N-am putut urmări situl"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Creează articolul cu narațiunea"; -/* No comment provided by engineer. */ -"Create Table" = "Creează tabelul"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Creează un sit WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Creează o etichetă"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Separă ideile sau secțiunile cu un separator orizontal."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Creează o listă cu buline sau numerotată."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Creează un sit nou"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Creează un sit nou pentru afacerea, revista ta sau blogul personal; sau conectează o instalare WordPress existentă."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Creează o parte de șablon nouă sau alege una existentă din listă."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Creează un articol sau o pagină"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Creează un articol, o pagină sau o narațiune"; -/* No comment provided by engineer. */ -"Create a template part" = "Creează o parte de șablon"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Creează și salvează conținutul pentru a-l reutiliza pe sit. Actualizează blocul și modificările se aplică oriunde este utilizat."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Creează copii de siguranță care se pot descărca"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Acum restaurez %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Legătură personalizată"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Mesaj personalizat..."; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Personalizează-ți situl pentru Aprecieri, Comentarii, Urmăritori și altele."; +/* No comment provided by engineer. */ +"Cut block" = "Șterge blocul"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Întunecată"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 decembrie 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "6 decembrie 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Implicit"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL implicit"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Implicit în funcție de zonă (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Implicite pentru articole noi"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Eroare ștergere sit"; -/* No comment provided by engineer. */ -"Delete column" = "Șterge coloana"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Șterge meniul"; -/* No comment provided by engineer. */ -"Delete row" = "Șterge rândul"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Șterge această etichtă"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Descriere"; -/* No comment provided by engineer. */ -"Descriptions" = "Descrieri"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detașează blocurile din partea de șablon"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detalii"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Nume de afișat"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Afișează o piesă tradițională."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Afișează o listă cu toate categoriile."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Afișează o listă cu toate paginile."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Afișează o listă cu cele mai recente comentarii."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Afișează o listă cu ultimele articole, exceptând articolele reprezentative."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Afișează o listă cu cele mai recente articole."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Afișează o arhivă lunară a articolelor tale."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Afișează categoriile unui articol."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Afișează numărul de comentarii la un articol."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Afișează formularul de comentarii al unui articol."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Afișează comentariile la un articol."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Afișează rezumatul unui articol."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Afișează imaginea reprezentativă a unui articol."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Afișează etichetele unui articol."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Afișează un icon care se leagă la un profil sau un sit web din media socială."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Afișează ca listă derulantă"; - -/* No comment provided by engineer. */ -"Display author" = "Afișează autorul"; - -/* No comment provided by engineer. */ -"Display avatar" = "Afișează avatarul"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Afișează fragmente de cod care respectă spațierea și filele."; - -/* No comment provided by engineer. */ -"Display date" = "Afișează data"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Afișează intrările din toate fluxurile RSS sau Atom."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Afișează rezumatul"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Afișează iconuri care se leagă la profilurile sau siturile tale web din media socială."; - -/* No comment provided by engineer. */ -"Display login as form" = "Afișează autentificarea ca un formular"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Afișează mai multe imagini într-o galerie bogată."; - /* No comment provided by engineer. */ "Display post date" = "Afișează data articolului"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Afișează titlul arhivei în funcție de obiectului cerut."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Afișează descrierea categoriilor, etichetelor și taxonomiilor personalizate la vizualizarea unei arhive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Afișează titlul interogării."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Afișează titlul ca o legătură"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Afișează aici toate statisticile sitului. Configurează statisticile sitului în aplicația WordPress."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Îți afișează aici statisticile sitului pentru azi. Configurează statisticile sitului în aplicația WordPress."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Afișează o listă cu numere de pagină pentru paginație"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Afișează o listă de articole în urma unei interogări."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Afișează o navigare cu pagini pentru următorul\/precedentul set de articole, când se poate aplica."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Afișează și permite editarea numelui sitului. De obicei, titlul sitului apare în bara cu titluri ale navigatoarelor, în rezultatele de căutare și multe altele. Titlul este disponibil și în Setări > Generale."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Afișează conținutul unui articol sau a unei pagini."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Afișează legătura la comentariile la articolul curent."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Afișează legătura la articolul următor sau anterior care este adiacent la articol."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Afișează legătura la pagina cu articolele următoare."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Afișează legătura la articolul care urmează după articolul curent."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Afișează legătura la articolul care precede articolul curent."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Afișează legătura la pagina cu articolele anterioare."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Afișează titlul unui articol, unei pagini sau oricărui alt tip de conținut."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Nu-ți faci griji pentru nimic"; -/* No comment provided by engineer. */ -"Dots" = "Puncte"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Atinge de două ori și ține apăsat pentru a muta acest element de meniu în sus sau în jos"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Atinge de două ori pentru a deschide foaia Acțiuni pentru a edita, înlocui sau șterge imaginea"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Atinge de două ori pentru a deschide Foaia acțiuni cu opțiunile disponibile"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Atinge de două ori pentru a deschide foaia Jos pentru a edita, înlocui sau șterge imaginea"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Atinge de două ori pentru a deschide Foaia de jos cu opțiunile disponibile"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Atinge de două ori pentru a reface ultima modificare"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Descarcă copia de siguranță"; -/* No comment provided by engineer. */ -"Download button settings" = "Setări buton de descărcare"; - -/* No comment provided by engineer. */ -"Download button text" = "Text pentru butonul de descărcare"; - /* Title for the button that will download the backup file. */ "Download file" = "Descarcă fișierul"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Descarcă șabloanele și părțile de șablon."; - /* Label for number of file downloads. */ "Downloads" = "Descărcări"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Ciorne"; -/* No comment provided by engineer. */ -"Drop cap" = "Letrină"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Fă duplicat"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nFereastră, foarte mică în depărtare, luminată.\nÎn jurul ei este un ecran aproape complet negru. Acum, pe măsură ce camera se deplasează încet spre fereastră, care seamănă un timbru poștal încadrat, apar alte forme;"; +/* No comment provided by engineer. */ +"Duplicate block" = "Fă un duplicat al blocului"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Est"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Editează blocul %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Editează %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Editează un cuvânt din Lista blocări"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Editează articolul"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Editează URL-ul RSS"; - -/* No comment provided by engineer. */ -"Edit URL" = "Editează URL-ul"; - /* No comment provided by engineer. */ "Edit file" = "Editează fișierul"; /* No comment provided by engineer. */ "Edit focal point" = "Editează punctul central"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Editează imaginea din galerie"; - /* No comment provided by engineer. */ "Edit image" = "Editează imaginea"; @@ -2698,15 +2288,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Editare butoane de partajare"; -/* No comment provided by engineer. */ -"Edit table" = "Editează tabelul"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Mai întâi, editează articolul"; -/* No comment provided by engineer. */ -"Edit track" = "Editează fișierul muzical"; - /* No comment provided by engineer. */ "Edit using web editor" = "Editează folosind editorul web"; @@ -2763,123 +2347,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email trimis!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Înglobează conținut Amazon Kindle."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Înglobează conținut Cloudup."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Înglobează conținut CollegeHumor."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Înglobează conținut Crowdsignal (fostul Polldaddy)."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Înglobează conținut Flickr."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Înglobează conținut Imgur."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Înglobează conținut Issuu."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Înglobează conținut Kickstarter."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Înglobează conținut Meetup.com."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Înglobează conținut Mixcloud."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Înglobează conținut ReverbNation."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Înglobează conținut Screencast."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Înglobează conținut Scribd."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Înglobează conținut Slideshare."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Înglobează conținut SmugMug."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Înglobează conținut SoundCloud."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Înglobează conținut Speaker Deck."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Înglobează conținut Spotify."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Înglobează un video Dailymotion."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Înglobează un articol Facebook."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Înglobează un fir de discuții Reddit."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Înglobează un video TED."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Înglobează un video TikTok."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Înglobează un articol Tumblr."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Înglobează un video VideoPress."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Înglobează un video Vimeo."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Înglobează un articol WordPress."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Înglobează un video WordPress.tv."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Înglobează un video YouTube."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Înglobează un player audio simplu."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Înglobează un twit."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Înglobează un video din biblioteca media sau încarcă unul nou."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Înglobează un video Animoto."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Înglobează un articol Instagram."; - -/* translators: %s: filename. */ -"Embed of %s." = "Înglobează %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Înglobează fișierul PDF selectat."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Conținut înglobat din %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Conținutul înglobat de pe %s nu poate fi previzualizat în editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Înglobez..."; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Golire"; @@ -2887,9 +2354,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL gol"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Bloc gol; începe să scrii sau tastează „\/” (slash) pentru a alege un bloc"; - /* Button title for the enable site notifications action. */ "Enable" = "Activează"; @@ -2911,15 +2375,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Dată de încheiere"; -/* No comment provided by engineer. */ -"English" = "Engleză"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Intră pe ecran complet"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Introdu URL-ul aici..."; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Introdu URL-ul pentru a îngloba aici..."; @@ -2932,9 +2390,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Introdu o parolă pentru a proteja acest articol"; -/* No comment provided by engineer. */ -"Enter address" = "Introdu adresa"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Introdu cuvinte diferite mai sus și vom căuta o adresă care se potrivește cu ele."; @@ -3067,9 +2522,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Eroare la actualizarea setărilor de accelerare a sitului"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Eveniment"; @@ -3125,9 +2577,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explorează planurile"; -/* No comment provided by engineer. */ -"Export" = "Exportă"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportă conținutul"; @@ -3200,9 +2649,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Imaginea reprezentativă nu s-a încărcat"; -/* No comment provided by engineer. */ -"February 21, 2019" = "21 februarie 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Aduc temele..."; @@ -3241,9 +2687,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Tip de fișier"; -/* No comment provided by engineer. */ -"Fill" = "Completează"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Completează cu managerul de parole"; @@ -3273,9 +2716,6 @@ User's First Name */ "First Name" = "Prenume"; -/* No comment provided by engineer. */ -"Five." = "Cinci."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Înlătură-le pe toate"; @@ -3288,9 +2728,6 @@ /* Displays the fixed threats */ "Fixed" = "Înlăturate"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Celule de tabel cu lățime fixă"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Înlătur amenințările..."; @@ -3370,30 +2807,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fotbal"; -/* No comment provided by engineer. */ -"Footer cell text" = "Text pentru celulele din subsol"; - -/* No comment provided by engineer. */ -"Footer label" = "Etichetă subsol"; - -/* No comment provided by engineer. */ -"Footer section" = "Secțiune subsol"; - -/* No comment provided by engineer. */ -"Footers" = "Subsoluri"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Pentru comoditate, ți-am completat informațiile de contact din WordPress.com. Te rog să le verifici pentru a te asigura că sunt informațiile corecte pe care vrei să le folosești pentru acest domeniu."; -/* No comment provided by engineer. */ -"Format settings" = "Setări format"; - /* Next web page */ "Forward" = "Înaintează"; -/* No comment provided by engineer. */ -"Four." = "Patru."; - /* Browse free themes selection title */ "Free" = "Gratuit"; @@ -3421,9 +2840,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Text pentru textul asociat din galerie"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Text asociat galerie. %s"; @@ -3476,18 +2892,9 @@ /* Cancel */ "Give Up" = "Renunț"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Accentuează vizual textul citat. „Citând pe alții, ne cităm pe noi înșine.” - Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Accentuează vizual un citat din textul tău."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Dă-i sitului un nume care să-i reflecte personalitatea și subiectul (tema). Prima impresie este foarte importantă!"; -/* No comment provided by engineer. */ -"Global Styles" = "Stiluri globale"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3560,9 +2967,6 @@ /* Post HTML content */ "HTML Content" = "Conținut HTML"; -/* No comment provided by engineer. */ -"HTML element" = "Element HTML"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Antet 1"; @@ -3581,21 +2985,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Antet 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Text pentru celulele din antet"; - -/* No comment provided by engineer. */ -"Header label" = "Etichetă antet"; - -/* No comment provided by engineer. */ -"Header section" = "Secțiune antet"; - -/* No comment provided by engineer. */ -"Headers" = "Anteturi"; - -/* No comment provided by engineer. */ -"Heading" = "Subtitlu"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Subtitlu %d"; @@ -3617,12 +3006,6 @@ /* H6 Aztec Style */ "Heading 6" = "Subtitlu 6"; -/* No comment provided by engineer. */ -"Heading text" = "Text pentru subtitlu"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Înălțime, în pixeli"; - /* Help button */ "Help" = "Ajutor"; @@ -3636,9 +3019,6 @@ /* No comment provided by engineer. */ "Help icon" = "Icon pentru ajutor"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Ajută-ți vizitatorii să-ți găsească conținutul."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Iată ce a realizat articolul până acum."; @@ -3659,9 +3039,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Ascunde tastatura"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Ascunde rezumatul pe pagina cu conținut complet"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3677,9 +3054,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Reșine pentru moderare"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Prima pagină"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3696,9 +3070,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Ura!\nAproape gata"; -/* No comment provided by engineer. */ -"Horizontal" = "Orizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Cum a corectat Jetpack asta?"; @@ -3729,9 +3100,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Dacă continui cu Apple sau Google și nu ai deja un cont WordPress.com, îți creezi un cont și ești de acord cu _Termenii de utilizare ai serviciului_ nostru."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "Dacă ai introdus o etichetă personalizată, ea va fi adăugată înainte de titlu."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Dacă-l înlături pe %1$@, el nu va mai putea accesa acest sit, dar orice conținut creat de %2$@ va rămâne pe sit."; @@ -3771,9 +3139,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Dimensiune imagine"; -/* No comment provided by engineer. */ -"Image caption text" = "Text pentru textul asociat al imaginii"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Text asociat imagine. %s"; @@ -3781,17 +3146,11 @@ "Image settings" = "Setări imagine"; /* Hint for image title on image settings. */ -"Image title" = "Titlu imagine"; - -/* No comment provided by engineer. */ -"Image width" = "Lățime imagine"; +"Image title" = "Titlu imagine"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Imagine, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Imagine, dată și titlu"; - /* Undated post time label */ "Immediately" = "Imediat"; @@ -3801,15 +3160,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Explică în câteva cuvinte ce face situl tău."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "Explică în câteva cuvinte despre ce este situl tău."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "Într-un sat din La Mancha, numele său nu îl mai țin minte, au trăit, nu demult, un cavaler cu o lance și un scut, un scutier bătrân, o mârțoagă slăbănoagă și un ogar de vânătoare."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "Citând pe alții, ne cităm pe noi înșine."; - /* Describes a status of a plugin */ "Inactive" = "Inactiv"; @@ -3828,12 +3178,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nume utilizator incorect sau parolă incorectă. Te rog încearcă să-ți introduci din nou detaliile de autentificare."; -/* No comment provided by engineer. */ -"Indent" = "Indentează"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indentează elementele din listă"; - /* Title for a threat */ "Infected core file" = "Fișier din nucleu infectat"; @@ -3865,36 +3209,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Inserare media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Inserează un tabel pentru partajarea datelor."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Inserează un tabel - este perfect pentru partajarea diagramelor și datelor."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Inserează elemente personalizate suplimentare cu un scurtcod WordPress."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Inserează o imagine pentru a avea o expunere vizuală."; - -/* No comment provided by engineer. */ -"Insert column after" = "Inserează coloană după"; - -/* No comment provided by engineer. */ -"Insert column before" = "Inserează coloană înainte"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Inserează media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Inserează o poezie. Folosește formatele speciale de spațiere. Sau citează versurile cântecului."; - -/* No comment provided by engineer. */ -"Insert row after" = "Inserează rând dedesubt"; - -/* No comment provided by engineer. */ -"Insert row before" = "Inserează rând deasupra"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Inserează cele selectate"; @@ -3931,9 +3248,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalarea primului modul pe sit poate dura până la 1 minut. În această perioadă de timp nu vei putea face modificări pe sit."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introdu secțiuni noi și organizează conținutul pentru a ajuta vizitatorii (și motoarele de căutare) să înțeleagă structura conținutului tău."; - /* Stories intro header title */ "Introducing Story Posts" = "Prezentăm Articole narațiune"; @@ -3983,9 +3297,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Cursiv"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Muzician de jazz"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4060,9 +3371,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Fii la curent cu performanța sitului tău."; -/* No comment provided by engineer. */ -"Kind" = "Gen"; - /* Autoapprove only from known users */ "Known Users" = "Utilizatori știuți"; @@ -4072,17 +3380,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etichetă"; -/* No comment provided by engineer. */ -"Landscape" = "Peisaj"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Limbă"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Etichetă pentru limbă (en, fr etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Mare"; @@ -4094,9 +3396,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Rezumat cu ultimele articole"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Setări ultimele comentarii"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Află mai mult"; @@ -4114,9 +3413,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Află mai mult despre formatarea datei și orei."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Află mai multe despre înglobări"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Află mai multe despre roluri"; @@ -4129,21 +3425,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Iconuri vechi"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Piesă tradițională"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Lasă-ne să ajutăm"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Anunță-mă când este gata!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Nivel %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Nivel %s. Gol."; - /* Title for the app appearance setting for light mode */ "Light" = "Luminoasă"; @@ -4204,21 +3491,9 @@ /* Image link option title. */ "Link To" = "Legătură la"; -/* No comment provided by engineer. */ -"Link color" = "Culoare legătură"; - -/* No comment provided by engineer. */ -"Link label" = "Etichetă legătură"; - -/* No comment provided by engineer. */ -"Link rel" = "Legătură rel"; - /* No comment provided by engineer. */ "Link to" = "Legătură la"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Legătură la %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Leagă-te la conținutul existent"; @@ -4227,24 +3502,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Legături în comentarii"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Legături afișate într-o coloană."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Legături afișate într-un rând."; - -/* No comment provided by engineer. */ -"List" = "Listă"; - -/* No comment provided by engineer. */ -"List of template parts" = "Listă cu părți de șablon"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Stil listă"; -/* No comment provided by engineer. */ -"List text" = "Text pentru listă"; - /* Title of the screen that load selected the revisions. */ "Load" = "Încărcare"; @@ -4314,9 +3574,6 @@ Text displayed while loading time zones */ "Loading..." = "Încarc..."; -/* No comment provided by engineer. */ -"Loading…" = "Încarc..."; - /* Status for Media object that is only exists locally. */ "Local" = "Local"; @@ -4372,9 +3629,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Autentifică-te cu numele de utilizator și parola WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Dezautentificare"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Te dezautentifici de pe WordPress?"; @@ -4382,12 +3636,6 @@ Login Request Expired */ "Login Request Expired" = "Autentificare cerută expirată"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Setări autentificare\/dezautentificare"; - -/* No comment provided by engineer. */ -"Logos Only" = "Numai logouri"; - /* No comment provided by engineer. */ "Logs" = "Jurnale"; @@ -4400,9 +3648,6 @@ /* No comment provided by engineer. */ "Loop" = "Buclă"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Ai uitat parola?"; @@ -4412,15 +3657,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Navigare principală"; -/* No comment provided by engineer. */ -"Main color" = "Culoare principală"; - -/* No comment provided by engineer. */ -"Make template part" = "Creează o parte de șablon"; - -/* No comment provided by engineer. */ -"Make title a link" = "Fă din titlu o legătură"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4479,21 +3715,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Leagă conturile folosind adrese de email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Dimensiune maximă imagine la încărcare"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Dimensiune maximă de încărcare video"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Număr maxim de cuvinte în rezumat"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "7 mai 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4545,9 +3772,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Previzualizarea media a eșuat."; -/* No comment provided by engineer. */ -"Media settings" = "Setări media"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media încărcată (%ld fișier)"; @@ -4595,9 +3819,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitorizează timpul de funcționare al sitului tău"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc apare - întotdeauna, înzăpezit și senin."; - /* Title of Months stats filter. */ "Months" = "Luni"; @@ -4628,9 +3849,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Mai multe pe WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "Mai multe unelte și opțiuni"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Cea mai populară oră"; @@ -4667,12 +3885,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Mută în jos"; -/* No comment provided by engineer. */ -"Move image backward" = "Mută imaginea înapoi"; - -/* No comment provided by engineer. */ -"Move image forward" = "Mută imaginea înainte"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Mută elementul de meniu"; @@ -4704,9 +3916,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Muzică"; -/* No comment provided by engineer. */ -"Muted" = "Fără sunet"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Profilul meu"; @@ -4730,9 +3939,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "Primele zece cafenele, pe gustul meu"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Nume"; @@ -4749,12 +3955,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navighează pentru a personaliza gradientul"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigare (orizontală)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigare (verticală)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Ai nevoie de ajutor?"; @@ -4777,9 +3977,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Cuvânt nou în Lista blocări"; -/* No comment provided by engineer. */ -"New Column" = "Coloană nouă"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Iconuri noi și personalizate pentru aplicație"; @@ -4804,9 +4001,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Articole noi"; -/* No comment provided by engineer. */ -"New template part" = "Parte de șablon nouă"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Cele mai noi"; @@ -4819,24 +4013,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Următorul"; -/* No comment provided by engineer. */ -"Next Page" = "Pagina următoare"; - /* Table view title for the quick start section. */ "Next Steps" = "Pașii următori"; /* Accessibility label for the next notification button */ "Next notification" = "Notificare următoare"; -/* No comment provided by engineer. */ -"Next page link" = "Legătură la pagina următoare"; - /* Accessibility label */ "Next period" = "Perioada următoare"; -/* No comment provided by engineer. */ -"Next post" = "Articolul următor"; - /* Label for a cancel button */ "No" = "Nu"; @@ -4853,9 +4038,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Nicio conexiune"; -/* No comment provided by engineer. */ -"No Date" = "Fără dată"; - /* List Editor Empty State Message */ "No Items" = "Nu sunt elemente"; @@ -4908,9 +4090,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Niciun comentariu până acum"; -/* No comment provided by engineer. */ -"No comments." = "Niciun comentariu."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5019,9 +4198,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Niciun articol."; -/* No comment provided by engineer. */ -"No preview available." = "Nicio previzualizare disponibilă."; - /* A message title */ "No recent posts" = "Niciun articol recent"; @@ -5084,18 +4260,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Nu ai găsit emailul? Uită-te și în dosarele Spam sau Junk."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Notă: redarea automată a fișierelor audio poate provoca probleme de utilizabilitate pentru unii vizitatori."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Notă: redarea automată a videourilor poate provoca probleme de utilizabilitate pentru unii vizitatori."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Notă: aranjamentul pe coloane poate varia în funcție de temă și dimensiunile ecranului"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Notă: majoritatea navigatoarelor pentru telefoane mobile și tablete nu vor afișa PDF-urile înglobate."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "N-am găsit nimic."; @@ -5137,9 +4304,6 @@ /* Register Domain - Address information field Number */ "Number" = "Număr"; -/* No comment provided by engineer. */ -"Number of comments" = "Număr de comentarii"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Listă numerotată"; @@ -5196,15 +4360,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Buton One Password"; -/* No comment provided by engineer. */ -"One column" = "O coloană"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "Unul dintre cele mai grele lucruri de înfăptuit în tehnologie este să te distrugi singur."; - -/* No comment provided by engineer. */ -"One." = "Unu."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Vezi numai statisticile cele mai relevante. Adaugă Perspective care se potrivesc cu nevoile tale."; @@ -5223,6 +4378,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hopa!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Deschide meniul acțiuni blocuri"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Deschide setări dispozitiv"; @@ -5236,9 +4394,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Deschide WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Deschide navigarea în blocuri"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Deschide selectorul media complet"; @@ -5284,15 +4439,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Sau autentifică-te prin _introducerea adresei sitului tău_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordonată"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Listă ordonată"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Setări listă ordonată"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organizație"; @@ -5324,24 +4473,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Alte situri"; -/* No comment provided by engineer. */ -"Outdent" = "Anulează indentarea"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Anulează indentarea elementelor din listă"; - -/* No comment provided by engineer. */ -"Outline" = "Contur"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Contramandată"; -/* No comment provided by engineer. */ -"PDF embed" = "Înglobare PDF"; - -/* No comment provided by engineer. */ -"PDF settings" = "Setări PDF"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -5349,9 +4483,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Pagină"; -/* No comment provided by engineer. */ -"Page Link" = "Legătură la pagină"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Pagină restaurată la ciorne"; @@ -5410,12 +4541,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paginare"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraf"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Bloc paragraf"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Categorie părinte"; @@ -5445,7 +4570,7 @@ "Paste URL" = "Plasează URL-ul"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Plasează o legătură la conținutul pe care vrei să-l afișezi pe situl tău."; +"Paste block after" = "Plasează blocul după"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Plasează fără formatare"; @@ -5493,9 +4618,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Alege aranjamentul preferat pentru prima pagină. Îl poți edita sau personaliza mai târziu."; -/* No comment provided by engineer. */ -"Pill Shape" = "Formă de pastilă"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5503,15 +4625,9 @@ Title for the plan selector */ "Plans" = "Planuri"; -/* No comment provided by engineer. */ -"Play inline" = "Redare în-linie"; - /* User action to play a video on the editor. */ "Play video" = "Rulează videoul"; -/* No comment provided by engineer. */ -"Playback controls" = "Comenzi redare"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Te rog adaugă ceva conținut înainte de a încerca să publici."; @@ -5655,9 +4771,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Limbi populare"; -/* No comment provided by engineer. */ -"Portrait" = "Portret"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Articol"; @@ -5665,40 +4778,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Categorii articol"; -/* No comment provided by engineer. */ -"Post Comment" = "Publică comentariul"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Autor comentariu la articol"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Conținut comentariu la articol"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Dată comentariu la articol"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Bloc Număr de comentarii la articol: articol negăsit."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Formular de comentarii la articol"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Bloc Formular de comentarii la articol: comentariile nu sunt activate pentru acest tip de articol."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Bloc Formular de comentarii la articol: nu sunt permise comentarii la acest articol."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Bloc Legătură la comentarii la articol: articol negăsit."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format articol"; -/* No comment provided by engineer. */ -"Post Link" = "Legătură la articol"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Articol restaurat la schiță"; @@ -5718,9 +4801,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Publicat de %1$@, din %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Bloc Comentarii la articol: niciun articol găsit."; - /* No comment provided by engineer. */ "Post content settings" = "Setări conținut articol"; @@ -5778,9 +4858,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicat în %1$@, la %2$@, de %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Imagine poster"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Activitate de publicare"; @@ -5791,9 +4868,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Articole"; -/* No comment provided by engineer. */ -"Posts List" = "Listă articole"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Pagină articole"; @@ -5820,9 +4894,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Propulsat de Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Text pentru pre-formatat"; - /* No comment provided by engineer. */ "Preload" = "Pre-încarcă"; @@ -5858,21 +4929,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Previzualizează-ți noul sit pentru a înțelege ceea ce vor vedea vizitatorii tăi."; -/* No comment provided by engineer. */ -"Previous Page" = "Pagina anterioară"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Notificare anterioară"; -/* No comment provided by engineer. */ -"Previous page link" = "Legătură la pagina anterioară"; - /* Accessibility label */ "Previous period" = "Perioada anterioară"; -/* No comment provided by engineer. */ -"Previous post" = "Articolul anterior"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sit primar"; @@ -5925,15 +4987,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Proiecte"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Îndeamnă vizitatorii să acționeze printr-o legătură de tip buton."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Îndeamnă vizitatorii să acționeze printr-un grup de legături de tip buton."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Acest tip nu este acceptat."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Public"; @@ -6005,12 +5058,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Public..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Cumpărături"; @@ -6026,30 +5073,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Notificările imediate au fost dezactivate în setările iOS. Comută pe „Permite notificări” pentru a le activa din nou."; -/* No comment provided by engineer. */ -"Query Title" = "Titlu interogare"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Inițiere rapidă"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "Setări RSS"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Evaluează-ne în App Store"; /* No comment provided by engineer. */ "Read more" = "Citește mai mult"; -/* No comment provided by engineer. */ -"Read more link text" = "Text pentru legătura Citește mai mult"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Citește pe"; @@ -6103,9 +5135,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconectat"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirecționează la URL-ul actual"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referință"; @@ -6145,9 +5174,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Articole similare afișează conținut relevant de pe situl tău sub articolele tale"; -/* No comment provided by engineer. */ -"Release Date" = "Data lansării"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6201,9 +5227,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Înlătură acest articol din articolele mele salvate."; -/* No comment provided by engineer. */ -"Remove track" = "Înlătură fișierul muzical"; - /* User action to remove video. */ "Remove video" = "Înlătură videoul"; @@ -6304,9 +5327,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Redimensionare și decupare"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Redimensionează pentru dispozitive mai mici"; - /* The largest resolution allowed for uploading */ "Resolution" = "Rezoluție"; @@ -6331,9 +5351,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restaurează situl"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restaurează șablonul la valorile implicite ale temei"; - /* Button title for restore site action */ "Restore to this point" = "Restaurează la acest punct"; @@ -6386,9 +5403,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Blocurile reutilizabile nu pot fi editate pe WordPress pentru iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Inversează numerotarea listei"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Rrenunță la modificare în așteptare"; @@ -6412,12 +5426,6 @@ User's Role */ "Role" = "Rol"; -/* No comment provided by engineer. */ -"Rotate" = "Rotește"; - -/* No comment provided by engineer. */ -"Row count" = "Număr de rânduri"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS trimis"; @@ -6651,9 +5659,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Selectează stil paragraf"; -/* No comment provided by engineer. */ -"Select poster image" = "Selectează imaginea pentru poster"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Selectează %@ pentru a-ți adăuga conturile din media socială"; @@ -6723,9 +5728,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Trimite notificări imediate"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separă-ți conținutul într-o experiență pe mai multe pagini."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Servește imagini de pe serverele noastre"; @@ -6748,9 +5750,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Setează ca pagină articole"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Inițializare"; @@ -6824,9 +5823,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Scurtcod"; -/* No comment provided by engineer. */ -"Shortcode text" = "Text pentru scurtcod"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Arată antet"; @@ -6848,12 +5844,6 @@ /* No comment provided by engineer. */ "Show download button" = "Arată butonul de descărcare"; -/* No comment provided by engineer. */ -"Show inline embed" = "Arată înglobarea în-linie"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Arată legăturile pentru autentificare și dezautentificare."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Arată parola"; @@ -6861,9 +5851,6 @@ /* No comment provided by engineer. */ "Show post content" = "Arată conținutul articolului"; -/* No comment provided by engineer. */ -"Show post counts" = "Arată numărul de articole"; - /* translators: Checkbox toggle label */ "Show section" = "Arată secțiunea"; @@ -6876,9 +5863,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Arată numai articolele mele"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Arăt o inițială mare."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Arăt statisticile pentru:"; @@ -6921,9 +5905,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Arată articolele sitului."; -/* No comment provided by engineer. */ -"Sidebars" = "Bare laterale"; - /* View title during the sign up process. */ "Sign Up" = "Înregistrare"; @@ -6957,9 +5938,6 @@ /* Title for the Language Picker View */ "Site Language" = "Limbă sit"; -/* No comment provided by engineer. */ -"Site Logo" = "Logo sit"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7009,18 +5987,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Securitate și performanță sit\nle ai în buzunar"; -/* No comment provided by engineer. */ -"Site tagline text" = "Text pentru slogan sit"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Fus orar sit (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titlul sitului a fost modificat cu succes"; -/* No comment provided by engineer. */ -"Site title text" = "Text pentru titlu sit"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Situri"; @@ -7031,9 +6003,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Situri de urmărit"; -/* No comment provided by engineer. */ -"Six." = "Șase."; - /* Image size option title. */ "Size" = "Mărime"; @@ -7060,12 +6029,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Icon social"; - -/* No comment provided by engineer. */ -"Solid color" = "Culoare densă"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Unele încărcări media au eșuat. Această acțiune va înlătura toate elementele media din articol care au eșuat. Salvează oricum?"; @@ -7123,9 +6086,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Regret, acel nume de utilizator nu este disponibil."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Regret, acest conținut nu a putut fi înglobat."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Regret, numele de utilizator poate conține doar litere mici (a-z) și numere."; @@ -7160,18 +6120,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Cod sursă"; -/* No comment provided by engineer. */ -"Source language" = "Limbă sursă"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Sud"; /* Label for showing the available disk space quota available for media */ "Space used" = "Spațiu folosit"; -/* No comment provided by engineer. */ -"Spacer settings" = "Setări distanțier"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7184,9 +6138,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Accelerează-ți situl"; -/* No comment provided by engineer. */ -"Square" = "Pătrat"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7197,12 +6148,6 @@ Title of Start Over settings page */ "Start Over" = "Începe din nou"; -/* No comment provided by engineer. */ -"Start value" = "Valoare de pornire"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Începe cu blocul pentru construirea întregii narațiuni."; - /* No comment provided by engineer. */ "Start writing…" = "Începe să scrii..."; @@ -7261,9 +6206,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Barare"; -/* No comment provided by engineer. */ -"Stripes" = "Dungi"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Schiță"; @@ -7273,9 +6215,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Trimit pentru recenzie..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitrări"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Indexul spotlight șters cu succes"; @@ -7306,9 +6245,6 @@ View title for Support page. */ "Support" = "Suport"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Comutare sit"; @@ -7351,18 +6287,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Defecțiune în sistem"; -/* No comment provided by engineer. */ -"Table" = "Tabel"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Cuprins"; -/* No comment provided by engineer. */ -"Table settings" = "Setări tabel"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabel arătând %@"; @@ -7376,12 +6303,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etichetă"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Setări nor de etichete"; - -/* No comment provided by engineer. */ -"Tag Link" = "Legătură la etichetă"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Eticheta există deja"; @@ -7478,24 +6399,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Spune-ne ce fel de sit vrei să creezi"; -/* No comment provided by engineer. */ -"Template Part" = "Parte de șablon"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Partea de șablon „%s” a fost inserată."; - -/* No comment provided by engineer. */ -"Template Parts" = "Părți de șablon"; - -/* No comment provided by engineer. */ -"Template part created." = "Parte de șablon creată."; - -/* No comment provided by engineer. */ -"Templates" = "Șabloane"; - -/* No comment provided by engineer. */ -"Term description." = "Descriere termen."; - /* The underlined title sentence */ "Terms and Conditions" = "Termeni și condiții"; @@ -7508,19 +6411,10 @@ /* Title of a button style */ "Text Only" = "Doar text"; -/* No comment provided by engineer. */ -"Text link settings" = "Setări legătură text"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "În schimb, trimite-mi un mesaj text cu un cod"; -/* No comment provided by engineer. */ -"Text settings" = "Setări text"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Mulțumim pentru că ai ales %1$@ de %2$@"; @@ -7584,15 +6478,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certificatul pentru acest server este invalid. E posibil să te conectezi la un server care pretinde doar că e \"%@\" ceea ce poate pune informațiile tale confidențiale în pericol.vvVrei să considerăm oricum valid certificatul?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "URL-ul actual al imaginii poster este %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "Rezumatul este ascuns."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "Rezumatul este vizibil."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Fișierul %1$@ conține un model de cod care poate crea vulnerabilități"; @@ -7681,9 +6566,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoul nu a putut fi adăugat în Biblioteca media."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "Pitulicea
își chivernisește traiul
în liniște."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Temă activată"; @@ -7725,9 +6607,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "E o problemă de conectare la %@. Reconectează-te pentru a continua publicitatea."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "Nu este selectată nicio imagine poster în prezent"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7825,12 +6704,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Această aplicație are nevoie de permisiunea de a accesa biblioteca media de pe dispozitiv pentru a adăuga fotografii și videouri în articolele tale. Te rog schimbă setările de confidențialitate dacă dorești să permiți asta."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "Acest bloc este învechit. Te rog folosește în schimb blocul Coloane."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Acest domeniu nu este disponibil"; @@ -7899,15 +6772,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Amenințarea a fost ignorată."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Trei coloane; împărțite egal"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Trei coloane; coloana din mijloc lată"; - -/* No comment provided by engineer. */ -"Three." = "Trei."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatură"; @@ -7937,21 +6801,9 @@ Title of the new Category being created. */ "Title" = "Titlu"; -/* No comment provided by engineer. */ -"Title & Date" = "Titlu și dată"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Titlu și rezumat"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titlu pentru o categorie este obligatoriu."; -/* No comment provided by engineer. */ -"Title of track" = "Titlul fișierului muzical"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Titlu, dată și rezumat"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Să adaugi poze sau videouri în articolele tale."; @@ -7983,9 +6835,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Pentru a continua cu acest cont Google, mai întâi te rog să te autentifici cu parola WordPress.com. Acest lucru va fi cerut o singură dată."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "Pentru a afișa un comentariu, introdu ID-ul comentariului."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Să faci poze sau videouri pe care să le folosești în articolele tale."; @@ -8003,12 +6852,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Comută sursa HTML"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Comută navigarea"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Comută pentru a arăta o inițială mare."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Comută stilul listei ordonate"; @@ -8054,12 +6897,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total cuvinte"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Fișierele muzicale pot fi subtitrări, texte asociate, capitole sau descrieri. Ele te ajută să-ți faci conținutul mai accesibil pentru o sferă mai mare de utilizatori."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Trafic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transformă %s în"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transformă blocul..."; + /* No comment provided by engineer. */ "Translate" = "Tradu"; @@ -8136,18 +6982,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Nume utilizator Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Două coloane; împărțite egal"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Două coloane împărțite: o treime, două treimi"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Două coloane împărțite: două treimi, o treime"; - -/* No comment provided by engineer. */ -"Two." = "Două."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Introdu un cuvânt cheie pentru mai multe idei"; @@ -8375,9 +7209,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sit nenumit"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Listă neordonată"; @@ -8399,9 +7230,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Fără titlu"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Parte de șablon fără titlu"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Până la șapte zile de jurnalizare sunt salvate."; @@ -8452,15 +7280,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Încarcă media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Încarcă un fișier sau alege unul din biblioteca media."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Încarcă un icon pentru sit"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Încarcă o imagine sau alege una din biblioteca media și folosește-o ca logo pentru sit."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Încărcare eșuată"; @@ -8518,24 +7340,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Folosește locația curentă"; -/* No comment provided by engineer. */ -"Use URL" = "Folosește URL-ul"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Folosește editorul de blocuri"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Folosește editorul clasic WordPress."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Folosește această legătură pentru a mării numărul de membri din echipa ta fără a fi nevoie să-i inviți individual. Oricine vizitează acest URL va putea să se înscrie în organizația ta, chiar dacă a primit o invitație de la altcineva, deci asigură-te că partajezi legătura cu persoane de încredere."; /* No comment provided by engineer. */ "Use this site" = "Folosește acest sit"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Este util pentru afișarea unui semn sau simbol grafic ori a unui design care să reprezinte situl. După ce logoul sitului este setat, el poate fi refolosit în diferite locuri și diverse șabloane. Nu trebuie confundat cu iconul sitului, care este imaginea mică găsită în panoul de control, filele navigatoarelor, rezultatele publice de căutare etc. și care ajută la recunoașterea unui sit."; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8572,9 +7385,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Confirmă-ți adresa de email - instrucțiunile au fost trimise la %@"; -/* No comment provided by engineer. */ -"Verse text" = "Text pentru vers"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Versiune"; @@ -8592,15 +7402,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Este disponibilă versiunea %@"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Previzualizare video indisponibilă"; -/* No comment provided by engineer. */ -"Video caption text" = "Text subtitrare video"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Text asociat video. %s"; @@ -8660,9 +7464,6 @@ /* Blog Viewers */ "Viewers" = "Vizitatori"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Înălțime spațiu vizibil (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8721,9 +7522,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Temă vulnerabilă: %1$@ (versiunea %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Oare ce făcea, marele zeu Pan,\n Între trestii, în josul râului?\nRăspândea ruină și împrăștia exil,\nVâslea și stropea cu copitele-i de țap\nȘi strivea nuferii aurii care pluteau\n Cu libelulele pe râu."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Administrare WP"; @@ -8991,9 +7789,6 @@ /* A message title */ "Welcome to the Reader" = "Bine ai venit în cititor"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Bine ai venit în lumea minunată a blocurilor..."; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Bine ai venit la cel mai popular constructor de situri web din lume."; @@ -9083,15 +7878,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Hopa, acesta nu este un cod valid de verificare cu doi-factori. Verifică-ți din nou codul și reîncearcă!"; -/* No comment provided by engineer. */ -"Wide Line" = "Linie lată"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Piese"; -/* No comment provided by engineer. */ -"Width in pixels" = "Lățime, în pixeli"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Nu vor fi afișate public."; @@ -9099,9 +7888,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Cu acest editor puternic poți publica din mers."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Sturz cântând în Central Park, New York."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Setări aplicații WordPress"; @@ -9206,30 +7992,6 @@ /* No comment provided by engineer. */ "Write code…" = "Scrie codul..."; -/* No comment provided by engineer. */ -"Write file name…" = "Scrie numele fișierului..."; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Scrie textul asociat pentru galerie..."; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Scrie text pre-formatat..."; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Scrie scurtcodul aici..."; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Scrie sloganul sitului..."; - -/* No comment provided by engineer. */ -"Write site title…" = "Scrie titlul sitului..."; - -/* No comment provided by engineer. */ -"Write title…" = "Scrie titlul..."; - -/* No comment provided by engineer. */ -"Write verse…" = "Scrie versul..."; - /* Title for the writing section in site settings screen */ "Writing" = "Scriere"; @@ -9436,15 +8198,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Adresa sitului tău apare în bara din partea de sus a ecranului când îți vizitezi situl în Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Situl tău nu include suport pentru blocul „%s”. Poți să lași acest bloc intact sau să-l înlături cu totul."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Situl tău nu include suport pentru blocul „%s”. Poți să lași acest bloc intact, să-i convertești conținutul într-un bloc HTML personalizat sau să-l înlături cu totul."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Situl tău nu include suport pentru acest bloc."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Situl tău a fost creat!"; @@ -9490,9 +8243,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Acum folosești editorul de blocuri pentru articole noi - foarte bine! Dacă vrei să treci la editorul clasic, mergi la „Situl meu > „Setări sit”."; -/* No comment provided by engineer. */ -"Zoom" = "Mărește"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMENTARIU]"; @@ -9508,45 +8258,15 @@ /* Age between dates equaling one hour. */ "an hour" = "o oră"; -/* No comment provided by engineer. */ -"archive" = "arhivă"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "citat"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "listă cu buline"; - /* Used when displaying author of a plugin. */ "by %@" = "de %@"; -/* No comment provided by engineer. */ -"cite" = "citează"; - /* The menu item to select during a guided tour. */ "connections" = "conexiuni"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "descriere"; - -/* No comment provided by engineer. */ -"divider" = "separator"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "schiță document"; @@ -9556,56 +8276,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "atinge de două ori pentru a schimba unitatea"; -/* No comment provided by engineer. */ -"download" = "descarcă"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "de exemplu, 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "de exemplu, 44"; -/* No comment provided by engineer. */ -"embed" = "înglobează"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "exemplu.com"; -/* No comment provided by engineer. */ -"feed" = "flux"; - -/* No comment provided by engineer. */ -"find" = "găsește"; - /* Noun. Describes a site's follower. */ "follower" = "urmăritor"; -/* No comment provided by engineer. */ -"form" = "formular"; - -/* No comment provided by engineer. */ -"horizontal-line" = "linie orizontală"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "imagine"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "imaginea %1$d din %2$d din galerie"; -/* No comment provided by engineer. */ -"images" = "imagini"; - /* Text for related post cell preview */ "in \"Apps\"" = "în \"Apps\""; @@ -9618,120 +8311,24 @@ /* Later today */ "later today" = "azi, mai târziu"; -/* No comment provided by engineer. */ -"link" = "legătură"; - -/* No comment provided by engineer. */ -"links" = "legături"; - -/* No comment provided by engineer. */ -"login" = "autentificare"; - -/* No comment provided by engineer. */ -"logout" = "dezautentificare"; - -/* No comment provided by engineer. */ -"menu" = "meniu"; - -/* No comment provided by engineer. */ -"movie" = "film"; - -/* No comment provided by engineer. */ -"music" = "muzică"; - -/* No comment provided by engineer. */ -"navigation" = "navigare"; - -/* No comment provided by engineer. */ -"next page" = "pagina următoare"; - -/* No comment provided by engineer. */ -"numbered list" = "listă numerotată"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "din"; -/* No comment provided by engineer. */ -"ordered list" = "listă ordonată"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "alte"; -/* No comment provided by engineer. */ -"pagination" = "paginație"; - /* No comment provided by engineer. */ "password" = "parolă"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "număr de telefon"; -/* No comment provided by engineer. */ -"photos" = "fotografii"; - -/* No comment provided by engineer. */ -"picture" = "imagine"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poezie"; - -/* No comment provided by engineer. */ -"post" = "articol"; - -/* No comment provided by engineer. */ -"posts" = "articole"; - -/* No comment provided by engineer. */ -"read more" = "citește mai mult"; - -/* No comment provided by engineer. */ -"recent comments" = "comentarii recente"; - -/* No comment provided by engineer. */ -"recent posts" = "articole recente"; - -/* No comment provided by engineer. */ -"recording" = "înregistrare"; - -/* No comment provided by engineer. */ -"row" = "rând"; - -/* No comment provided by engineer. */ -"section" = "secțiune"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sunet"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitlu"; - /* No comment provided by engineer. */ "summary" = "rezumat"; -/* No comment provided by engineer. */ -"survey" = "sondaj"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "aceste elemente vor fi șterse:"; -/* No comment provided by engineer. */ -"title" = "titlu"; - /* Today */ "today" = "azi"; @@ -9771,9 +8368,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, situri, sit, bloguri, blog"; -/* No comment provided by engineer. */ -"wrapper" = "învelitoare"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "domeniul tău %@ este inițializat acum. Situl tău face tumbe de bucurie!"; @@ -9783,9 +8377,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "- Kobayashi Issa (- 茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domenii"; diff --git a/WordPress/Resources/ru.lproj/Localizable.strings b/WordPress/Resources/ru.lproj/Localizable.strings index f4c13d543636..959cb2d03326 100644 --- a/WordPress/Resources/ru.lproj/Localizable.strings +++ b/WordPress/Resources/ru.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d непросмотренных записей"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d из %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "Блок %1$s преобразован в %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s - %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li слов, %2$li символов"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "настройки блока %s"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Блок %s. Пустой"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Блок %s. Блок имеет неверное содержимое."; -/* translators: %s: Number of comments */ -"%s comment" = "Комментариев: %s"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s ярлык"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' полностью не поддерживается"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ строка адреса %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Выбрать -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ \"Блок\" - это абстрактный термин, используемый\n\/\/ для описания единиц разметки, которые\n\/\/ совместно, формируют\n\/\/ контент или макет страницы.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Загружена 1 запись черновика"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "Найдена одна возможная угроза"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "менее 1 часа"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Снежный патруль<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "При нажатии на кнопку «Ещё» открывается список кнопок «Поделиться»"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "Календарь записей сайта."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "Облако часто используемых меток."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "Набор блоков, которые позволяют посетителям обойти ваш сайт."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Изображение записи установлено. Нажмите, чтобы изменить его."; /* Title for a threat */ "A file contains a malicious code pattern" = "Файл содержит элемент вредоносного кода"; -/* No comment provided by engineer. */ -"A link to a category." = "Ссылка на рубрику."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "Произвольная ссылка (URL)."; - -/* No comment provided by engineer. */ -"A link to a page." = "Ссылка на страницу."; - -/* No comment provided by engineer. */ -"A link to a post." = "Ссылка на запись."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Ссылка на метку."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Список сайтов на этой учётной записи."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Последовательность шагов позволяющая увеличить аудиторию вашего сайта."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "Один столбец в блоке столбцов."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Метка с именем '%@' уже существует."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "АДРЕС"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "О нас"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Добавить новую карточку статистики"; -/* No comment provided by engineer. */ -"Add Template" = "Добавить шаблон"; - /* No comment provided by engineer. */ "Add To Beginning" = "Добавить в начале"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Добавить тему"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Добавьте блок, который отображает содержимое в нескольких столбцах, а затем добавьте в него любые другие блоки с желаемым содержимым."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Добавляет блок, который выводит содержимое с других сайтов, таких как Twitter, Instagram или YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Добавьте URL пользовательской CSS для загрузки в Чтиве. Если вы используете локальную установку Calypso, то он может выглядеть примерно так: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Добавьте ссылку на скачиваемый файл."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Добавьте страницу, ссылку или другой элемент в навигацию."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Добавить автономный веб-сайт"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Добавить атрибут alt"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Добавьте изображение или видео с текстовым перекрытием — замечательно для заголовков."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Добавьте любую тему"; /* No comment provided by engineer. */ "Add caption" = "Добавить подпись"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Добавьте цитату"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Добавьте произвольный код HTML и смотрите на результат в процессе редактирования."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Добавьте изображение (или аватар) для представления этой новой учетной записи."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Добавить блок параграфа"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Добавьте цитату"; - /* Add self-hosted site button */ "Add self-hosted site" = "Добавить автономный веб-сайт"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Добавить метки"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Добавьте текст, который соответствует вашим интервалам и вкладкам, а также позволяет стилизовать."; - /* No comment provided by engineer. */ "Add text…" = "Добавить текст…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Добавьте автора этой записи."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Добавьте дату к этой записи."; - /* No comment provided by engineer. */ "Add this email link" = "Добавить ссылку на email"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Добавить ссылку на номер телефона"; -/* No comment provided by engineer. */ -"Add tracks" = "Добавить дорожки"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Добавьте пространство между блоками и настройте его высоту."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Добавление функциональности сайта"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Альбомы"; -/* No comment provided by engineer. */ -"Align column center" = "Выровнять столбец по центру"; - -/* No comment provided by engineer. */ -"Align column left" = "Выровнять столбец по левому краю"; - -/* No comment provided by engineer. */ -"Align column right" = "Выровнять столбец по правому краю"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Выравнивание"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Произошла ошибка."; -/* No comment provided by engineer. */ -"An example title" = "Пример названия"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Произошла неизвестная ошибка. Повторите попытку."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Одобрить комментарий."; -/* No comment provided by engineer. */ -"Archive Title" = "Название архива"; - -/* No comment provided by engineer. */ -"Archive title" = "Название архива"; - -/* No comment provided by engineer. */ -"Archives settings" = "Настройки архивов"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Вы уверены, что хотите отменить и удалить изменения?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Вы точно хотите обновить?"; -/* No comment provided by engineer. */ -"Area" = "Область"; - /* An example tag used in the login prologue screens. */ "Art" = "Искусство"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "C 01.08.2018 Facebook более не разрешает напрямую делиться записями в профили Facebook. Связи со страницами FB останутся неизмененными."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Пропорции"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Добавить файл как ссылку"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Аудиоплеер"; -/* No comment provided by engineer. */ -"Audio caption text" = "Текст подписи к аудио"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Подпись к аудиозаписи. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Блок не может быть отображен внутри себя же."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Блок скопирован"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Блок вырезан"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Блок продублирован"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Редактор блоков включен"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Блокировать попытки несанкционированного входа"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Блок вставлен"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Блок удален"; + +/* No comment provided by engineer. */ +"Block settings" = "Настройки блока"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Блокировать этот веб-сайт"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Обозреватель блога"; -/* No comment provided by engineer. */ -"Body cell text" = "Текст ячейки тела содержимого"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Полужирный"; -/* No comment provided by engineer. */ -"Border" = "Граница"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Выделять ветки комментариев на отдельные страницы."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Кратко опишите ссылку, чтобы помочь пользователям с программой чтения с экрана."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Посмотрите все наши темы, чтобы найти свой идеал."; -/* No comment provided by engineer. */ -"Browse all templates" = "Просмотреть все шаблоны."; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Просмотрите все шаблоны. Это откроет меню шаблона на боковой панели навигации."; - /* No comment provided by engineer. */ "Browser default" = "Браузер по умолчанию"; @@ -1159,10 +1007,7 @@ "Button Style" = "Стиль кнопки"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Кнопки, выведенные в колонку."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Кнопки, выведенные в ряд."; +"ButtonGroup" = "Группа кнопок"; /* Label for the post author in the post detail. */ "By " = "Автор:"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Идет подсчет..."; -/* No comment provided by engineer. */ -"Call to Action" = "Призыв к действию"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Камера"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Подпись"; -/* No comment provided by engineer. */ -"Captions" = "Подписи"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Осторожно!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Рубрика"; -/* No comment provided by engineer. */ -"Category Link" = "Ссылка на рубрику"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Отсутствует название рубрики."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Ошибка сертификата"; -/* No comment provided by engineer. */ -"Change Date" = "Изменить дату"; - /* Account Settings Change password label Main title */ "Change Password" = "Изменить пароль"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Переместить блок"; -/* No comment provided by engineer. */ -"Change column alignment" = "Изменить выравнивание столбца"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Не удалось внести изменение."; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Смена имени пользователя"; -/* No comment provided by engineer. */ -"Chapters" = "Главы"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Ошибка проверки покупок"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Выберите домен"; -/* No comment provided by engineer. */ -"Choose existing" = "Выбрать существующий"; - /* No comment provided by engineer. */ "Choose file" = "Выбрать файл"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Очистить старые журналы активности?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Сбросить персонализированные настройки"; - /* No comment provided by engineer. */ "Clear search" = "Очистить поиск"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Закрыть обсуждение"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Закрыть боковую панель глобальных стилей"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Закрыть боковую панель просмотра списка"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Закрыть боковую панель настроек"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Закрыть мой профиль"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Код"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Код — это поэзия."; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Свернуто, %i задач завершено, можно развернуть список этих задач"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Цветные фоны"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Текст столбца %d"; - -/* No comment provided by engineer. */ -"Column count" = "Количество столбцов"; - -/* No comment provided by engineer. */ -"Column settings" = "Настройки столбцов"; - -/* No comment provided by engineer. */ -"Columns" = "Столбцы"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Объединить блоки в группу."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Комбинируйте фото, видео и текст для создания захватывающих историй с переходами, они обязательно полюбятся вашим посетителям."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Подключения"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Обратная связь"; - /* Support email label. */ "Contact Email" = "Контактный адрес эл.почты"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Обратиться в службу поддержки"; -/* No comment provided by engineer. */ -"Contact us" = "Связаться с нами"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Свяжитесь с нами, написав на %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Структура содержимого\nБлоки: %1$li, Слова: %2$li, Символы: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Содержимое до этого блока будет показано как отрывок на странице архивов."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Продолжение через Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Преобразовать в блоки"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Преобразовать в упорядоченный список"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Преобразовать в неупорядоченный список"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Кулинария"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "URL скопирован в буфер обмена."; - /* No comment provided by engineer. */ "Copied block" = "Скопированный блок"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Скопировать ссылку в комментарий"; /* No comment provided by engineer. */ -"Copy URL" = "Копировать URL"; +"Copy block" = "Копировать блок"; /* No comment provided by engineer. */ "Copy file URL" = "Скопировать URL файла"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Не удалось проверить покупки."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Невозможно отредактировать изображение. %s"; - /* Title of a prompt. */ "Could not follow site" = "Не удалось подписаться на веб-сайт"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Создать запись-историю"; -/* No comment provided by engineer. */ -"Create Table" = "Создать таблицу"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Создать сайт на WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Создать метку"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Создайте промежуток между идеями или разделами с помощью горизонтального разделителя."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Создать маркированый или нумерованый список."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Создание нового сайта"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Создайте новый сайт для вашего бизнеса, журнал или персональный блог; или подключите имеющуюся установку WordPress."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Создайте новую часть шаблона или выберите существующую из списка."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Создать запись или страницу"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Создать запись, страницу или историю"; -/* No comment provided by engineer. */ -"Create a template part" = "Создать часть шаблона"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Создавайте и сохраняйте содержимое для повторного использования на вашем сайте. Обновите блок, и изменения будут применены повсюду, где он используется."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Создание резервной копии для скачивания"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Ведётся восстановление: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Произвольная ссылка"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Пользовательское сообщение..."; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Настройте уведомления об оценках, комментариях, подписках и так далее."; +/* No comment provided by engineer. */ +"Cut block" = "Вырезать блок"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Тёмное оформление"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "Декабрь 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "6 декабря 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "По умолчанию"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL по умолчанию"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "По умолчанию в зависимости от области (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Параметры по умолчанию для новых записей"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Удалить сведения об ошибке на сайте"; -/* No comment provided by engineer. */ -"Delete column" = "Удалить столбец"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Удалить меню"; -/* No comment provided by engineer. */ -"Delete row" = "Удалить строку"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Удалить эту метку"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Описание"; -/* No comment provided by engineer. */ -"Descriptions" = "Описания"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Оформление"; /* Title for the desktop web preview */ "Desktop" = "ПК"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Отделить блоки от частей шаблона"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Подробности"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Отображаемое имя"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Показать устаревший виджет."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Показ списка всех рубрик."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Показ списка всех страниц."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Показ списка последних комментариев."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Показ списка последних записей, исключая прикреплённые."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Показ списка последних записей."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Показывать архивы записей за месяц."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Отображение рубрик записи."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Отображение количества комментариев к записи."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Отображение формы комментариев к записи."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Отображение комментариев к записи."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Показать отрывок записи."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Показ изображения записи."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Показать метки записи."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Отображение значка, ссылающегося на профиль в социальных сетях или веб-сайт."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Показывать выпадающим списком"; - -/* No comment provided by engineer. */ -"Display author" = "Показывать автора"; - -/* No comment provided by engineer. */ -"Display avatar" = "Показывать аватар"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Показ фрагментов кода с соблюдением интервалов и табуляции."; - -/* No comment provided by engineer. */ -"Display date" = "Показывать дату"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Показывать элементы из любой RSS- или Atom-ленты."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Показывать отрывок"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Отображение значков, ссылающихся на ваши профили в социальных сетях или веб-сайты."; - -/* No comment provided by engineer. */ -"Display login as form" = "Показывать вход на сайт в виде формы"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Показывать несколько изображений в роскошной галерее."; - /* No comment provided by engineer. */ "Display post date" = "Показывать дату записи"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Показывать заголовок архива на основе запрошенного объекта."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Показывать описания рубрик, меток и пользовательских таксономий при просмотре архива."; - -/* No comment provided by engineer. */ -"Display the query title." = "Показывать заголовок запроса."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Отображение заголовка в виде ссылки"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Показ статистики сайта за всё время. Настройте в приложении WordPress в разделе статистики."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Настройте отображение текущей статистики сайта здесь. Настройте в приложении WordPress в статистике сайта."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Показывать список нумерации страниц при использовании разбиения на страницы"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Показывать список записей как результат запроса."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Если доступно, показывать постраничную навигацию далее\/назад для набора записей."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Отображает и позволяет редактировать название сайта. Название сайта обычно отображается в строке заголовка браузера, в результатах поиска и т. д. Также доступно в меню Настройки > Общие."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Отображает содержимое записи или страницы."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Отрбражает ссылку на комментарии к текущей записи."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Отображает ссылку на следующую или предыдущую запись, расположенную рядом с текущей записью."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Отображает ссылку на следующую страницу записей."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Отображает ссылку на следующую (по отношению к текущей) запись."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Отображает ссылку на предыдущую (по отношению к текущей) запись."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Отображает ссылку на предыдущую страницу записей."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Показ названия записи, страницы или другого типа содержимого."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Документ: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Ни о чем не волнуйтесь"; -/* No comment provided by engineer. */ -"Dots" = "Точки"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Нажмите дважды и удерживайте для перемещения элемента меню выше или ниже"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Нажмите дважды, чтобы открыть список действий для редактирования, замены или очистки изображения."; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Нажмите дважды для того, чтобы открыть панель действий с доступными возможностями"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Нажмите дважды, чтобы открыть нижний список действий для редактирования, замены или очистки изображения."; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Нажмите дважды для того, чтобы открыть нижнюю панель действий с доступными возможностями"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Нажмите дважды для повторения последнего изименения"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Скачать резервную копию"; -/* No comment provided by engineer. */ -"Download button settings" = "Настройки кнопки скачивания"; - -/* No comment provided by engineer. */ -"Download button text" = "Текст кнопки скачать"; - /* Title for the button that will download the backup file. */ "Download file" = "Скачать файл"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Cкачайте свои шаблоны и части шаблонов."; - /* Label for number of file downloads. */ "Downloads" = "Загрузки"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Черновики"; -/* No comment provided by engineer. */ -"Drop cap" = "Буквица"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Дублировать"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nОкно,очень маленькое вдалеке, освещено.\nВсе вокруг - это почти полностью черный экран. Теперь, когда камера медленно движется к окну, которое является почти почтовой маркой в кадре, появляются другие формы;"; +/* No comment provided by engineer. */ +"Duplicate block" = "Дублировать блок"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "восток"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Редактировать блок %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Редактировать %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Редактировать слово из списка блокировки"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Редактировать запись"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Редактировать URL RSS-ленты"; - -/* No comment provided by engineer. */ -"Edit URL" = "Редактировать URL"; - /* No comment provided by engineer. */ "Edit file" = "Изменить файл"; /* No comment provided by engineer. */ "Edit focal point" = "Изменить точку фокусировки"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Редактировать изображение галереи"; - /* No comment provided by engineer. */ "Edit image" = "Редактировать изображение"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Изменить кнопки «Поделиться»"; -/* No comment provided by engineer. */ -"Edit table" = "Редактировать таблицу"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Сначала отредактируйте запись"; -/* No comment provided by engineer. */ -"Edit track" = "Редактировать дорожку"; - /* No comment provided by engineer. */ "Edit using web editor" = "Редактировать используя веб-редактор"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Письмо отправлено!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Вставить содержимое Amazon Kindle."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Вставить содержимое Cloudup."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Вставить содержимое CollegeHumor."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Вставить содержимое Crowdsignal (ранее Polldaddy)."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Вставить содержимое Flickr."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Вставить содержимое Imgur."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Вставить содержимое Issuu."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Вставить содержимое Kickstarter."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Вставить содержимое Meetup.com."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Вставить содержимое Mixcloud."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Вставить содержимое ReverbNation."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Вставить содержимое Screencast."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Вставить содержимое Scribd."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Вставить содержимое Slideshare."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Вставить содержимое SmugMug."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Вставить содержимое SoundCloud."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Вставить содержимое Speaker Deck."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Вставить содержимое Spotify."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Вставить видео Dailymotion."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Вставить запись Facebook."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Вставить обсуждение Reddit."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Вставить видео TED."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Вставить видео TikTok."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Вставить запись Tumblr."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Вставить видео VideoPress."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Вставить видео Vimeo."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Вставить запись WordPress."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Вставить видео WordPress.tv."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Вставить видео YouTube."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Вставить простой аудиопроигрыватель."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Вставить твит."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Вставьте видео из вашей медиатеки или загрузите новое."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Вставить видео Animoto."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Вставить запись Instagram."; - -/* translators: %s: filename. */ -"Embed of %s." = "Вставка %s"; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Вставка выбранного файла PDF."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Вставленное содержимое с %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Встроенное содержимое из %s невозможно просмотреть в редакторе."; - -/* No comment provided by engineer. */ -"Embedding…" = "Вставка..."; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Пусто"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Пустой URL-адрес"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Пустой блок; начните писать или нажмите прямой слэш (\/) для выбора блока"; - /* Button title for the enable site notifications action. */ "Enable" = "Включить"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Дата окончания"; -/* No comment provided by engineer. */ -"English" = "Английский"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Показать во весь экран"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Введите URL здесь..."; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Укажите URL для вставки..."; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Введите пароль для защиты этой записи"; -/* No comment provided by engineer. */ -"Enter address" = "Введите адрес"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Введите другие слова выше и мы поищем адреса совпадающие с ними."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Ошибка обновления настроек ускорения сайта"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Событие"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Посмотрите тарифы"; -/* No comment provided by engineer. */ -"Export" = "Экспорт"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Экспортировать содержимое"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Избранное изображение не загружено"; -/* No comment provided by engineer. */ -"February 21, 2019" = "21 февраля 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Получение тем…"; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Тип файла"; -/* No comment provided by engineer. */ -"Fill" = "Заполнение"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Заполнить из менеджера паролей"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Имя"; -/* No comment provided by engineer. */ -"Five." = "Пять."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Устранить все"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Исправлено"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Ячейки таблицы фиксированной ширины"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Устранение угроз"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Футбол"; -/* No comment provided by engineer. */ -"Footer cell text" = "Текст ячейки подвала"; - -/* No comment provided by engineer. */ -"Footer label" = "Ярлык подвала"; - -/* No comment provided by engineer. */ -"Footer section" = "Раздел подвала"; - -/* No comment provided by engineer. */ -"Footers" = "Подвалы сайта"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Для вашего удобства, мы заполнили вашу контактную информацию WordPress.com. Пожалуйста, перепроверьте её на корректность, действительно ли вы хотите использовать её для этого домена."; -/* No comment provided by engineer. */ -"Format settings" = "Настройки формата"; - /* Next web page */ "Forward" = "Направить"; -/* No comment provided by engineer. */ -"Four." = "Четыре."; - /* Browse free themes selection title */ "Free" = "Бесплатно"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Текст подписи к галерее"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Подпись галереи. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Не отправлять"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Визуально акцентируйте цитируемый текст. \"Цитируя других, мы цитируем себя.\" - Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Визуально акцентируйте цитату из вашего текста."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Первое впечатление важно! Назовите свой сайт так, как это отразит его индивидуальность и содержание."; -/* No comment provided by engineer. */ -"Global Styles" = "Глобальные стили"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML-содержимое"; -/* No comment provided by engineer. */ -"HTML element" = "Элемент HTML"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Заголовок №1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Заголовок №6"; -/* No comment provided by engineer. */ -"Header cell text" = "Текст ячейки заголовка"; - -/* No comment provided by engineer. */ -"Header label" = "Ярлык заголовка"; - -/* No comment provided by engineer. */ -"Header section" = "Раздел заголовка"; - -/* No comment provided by engineer. */ -"Headers" = "Заголовки"; - -/* No comment provided by engineer. */ -"Heading" = "Заголовок"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Заголовок %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Заголовок 6"; -/* No comment provided by engineer. */ -"Heading text" = "Текст заголовка"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Высота в пикселях"; - /* Help button */ "Help" = "Помощь"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Значок справки"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Помогите посетителям найти содержимое вашего сайта."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Тут информация о том как поживает ваша запись."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Спрятать клавиатуру"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Скрыть отрывок на полной странице содержимого"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Отправить на модерацию"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Главная"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Ура!\nПочти всё готово"; -/* No comment provided by engineer. */ -"Horizontal" = "Горизонтальный"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Как Jetpack исправил это?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Если вы продолжите работу с учетной записью Apple или Google, не имея учётной записи WordPress.com, вы создадите учётную запись и примете наши _Условия обслуживания_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "Если вы ввели специальный ярлык, он будет добавлен перед заголовком."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Если вы удалите %1$@, он больше не сможет посещать этот сайт, но всё содержимое, созданное %2$@, останется на сайте."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Размер изображения"; -/* No comment provided by engineer. */ -"Image caption text" = "Текст подписи к изображению"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Подпись к изображению. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Настройки изображения"; /* Hint for image title on image settings. */ -"Image title" = "Заголовок изображения"; - -/* No comment provided by engineer. */ -"Image width" = "Ширина изображения"; +"Image title" = "Заголовок изображения"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Изображение, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Изображение, дата и заголовок"; - /* Undated post time label */ "Immediately" = "Немедленно"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Объясните в нескольких словах, о чём этот сайт."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "Объясните в нескольких словах, о чём этот сайт."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "В скромной деревушке провинции Ламанчи жил идальго, по имени Дон Кехана. Как и всякий дворянин, он гордился своим благородным происхождением, свято хранил древний щит и родовое копье и держал у себя на дворе тощую клячу и борзую собаку."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "Цитируя других, мы цитируем себя."; - /* Describes a status of a plugin */ "Inactive" = "Неактивен"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Неправильное имя пользователя или пароль. Попробуйте ввести учётные данные ещё раз."; -/* No comment provided by engineer. */ -"Indent" = "Отступ"; - -/* No comment provided by engineer. */ -"Indent list item" = "Добавить отступ к элементу списка"; - /* Title for a threat */ "Infected core file" = "Заражение файла ядра"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Вставить медиафайл"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Создать таблицу для представления данных."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Вставить таблицу — отличный выбор для графиков и данных."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Вставить дополнительные пользовательские элементы с помощью шорткода."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Добавьте изображение для визуального утверждения."; - -/* No comment provided by engineer. */ -"Insert column after" = "Вставить столбец после"; - -/* No comment provided by engineer. */ -"Insert column before" = "Вставить столбец до"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Вставить файл"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Вставить поэтические строфы. Можно использовать специальный формат интервалов или цитировать текст песни."; - -/* No comment provided by engineer. */ -"Insert row after" = "Вставить строку после"; - -/* No comment provided by engineer. */ -"Insert row before" = "Вставить строку до"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Выбрана вставка"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Установка первого плагина на ваш сайт может занять до одной минуты. В это время вы не сможете вносить изменения на свой сайт."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Объявите новые разделы и организуйте содержимое для удобства посетителей (и поисковых систем) в понимании его структуры."; - /* Stories intro header title */ "Introducing Story Posts" = "Представляем записи-истории"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Курсив"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Джазовый музыкант"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Будьте в курсе жизни вашего сайта."; -/* No comment provided by engineer. */ -"Kind" = "Тип"; - /* Autoapprove only from known users */ "Known Users" = "Известные пользователи"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Текст подписи"; -/* No comment provided by engineer. */ -"Landscape" = "Ландшафт"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Язык"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Языковая метка (en, fr и т. д.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Большой"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Сводка по последней записи"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Настройки последних комментариев"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Подробнее"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Узнайте больше о форматировании даты и времени."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Узнать больше о встраивании"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Подробнее о ролях"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Старые значки"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Устаревший виджет"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Обратитесь к нам за помощью."; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Дайте мне знать по завершению!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Уровень %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Уровень %s. Пустой."; - /* Title for the app appearance setting for light mode */ "Light" = "Светлое оформление"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Ссылка"; -/* No comment provided by engineer. */ -"Link color" = "Цвет ссылки"; - -/* No comment provided by engineer. */ -"Link label" = "Ярлык ссылки"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Ссылка на"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Ссылка на %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Ссылка на имеющееся содержимое"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Ссылки в комментариях"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Ссылки, показанные в столбце."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Ссылки, показанные в строке."; - -/* No comment provided by engineer. */ -"List" = "Список"; - -/* No comment provided by engineer. */ -"List of template parts" = "Список частей шаблона"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Стиль списка"; -/* No comment provided by engineer. */ -"List text" = "Текст списка"; - /* Title of the screen that load selected the revisions. */ "Load" = "Загрузка"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Загрузка..."; -/* No comment provided by engineer. */ -"Loading…" = "Загрузка..."; - /* Status for Media object that is only exists locally. */ "Local" = "Черновики"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Войдите, указав имя пользователя WordPress.com и пароль."; -/* No comment provided by engineer. */ -"Log out" = "Выйти"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Выйти из WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Срок действия запроса истёк"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Настройки входа\/выхода"; - -/* No comment provided by engineer. */ -"Logos Only" = "Только логотипы"; - /* No comment provided by engineer. */ "Logs" = "Логи"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Цикл"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Забыли пароль?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Меню навигации"; -/* No comment provided by engineer. */ -"Main color" = "Основной цвет"; - -/* No comment provided by engineer. */ -"Make template part" = "Создать часть шаблона"; - -/* No comment provided by engineer. */ -"Make title a link" = "Сделать заголовок ссылкой"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Сопоставить учётные записи, используя адрес электронной почты"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Максимальный размер загружаемого изображения"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Максимальный размер загружаемого видеофайла"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Максимальное количество слов в отрывке"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "7 мая 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Не удалось загрузить медиафайл для предварительного просмотра."; -/* No comment provided by engineer. */ -"Media settings" = "Настройки медиафайлов"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Загружено медиафайлов (%ld)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Контроль бесперебойной работы сайта"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Появляется Монблан - тихий, снежный и безмятежный."; - /* Title of Months stats filter. */ "Months" = "Месяцы"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Подробнее на WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "Больше инструментов и возможностей"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Самое популярное время"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Вниз"; -/* No comment provided by engineer. */ -"Move image backward" = "Переместить изображение назад"; - -/* No comment provided by engineer. */ -"Move image forward" = "Переместить изображение вперёд"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Перемещение элемента меню"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Музыка"; -/* No comment provided by engineer. */ -"Muted" = "Беззвучно"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Мой профиль"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "Мой выбор лучших 10 кафе"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Имя"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Переход к настройкам градиента"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Навигация (горизонтальная)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Навигация (вертикальная)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Нужна помощь?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Новое слово из списка блокировки"; -/* No comment provided by engineer. */ -"New Column" = "Новый столбец"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Новые пользовательские значки приложения"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Новые записи"; -/* No comment provided by engineer. */ -"New template part" = "Новая часть шаблона"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Новейшее"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Далее"; -/* No comment provided by engineer. */ -"Next Page" = "Следующая страница"; - /* Table view title for the quick start section. */ "Next Steps" = "Следующие шаги"; /* Accessibility label for the next notification button */ "Next notification" = "Следующее уведомление"; -/* No comment provided by engineer. */ -"Next page link" = "Ссылка на следующую страницу"; - /* Accessibility label */ "Next period" = "Следующий период"; -/* No comment provided by engineer. */ -"Next post" = "Следующая запись"; - /* Label for a cancel button */ "No" = "Нет"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Нет соединения"; -/* No comment provided by engineer. */ -"No Date" = "Нет даты"; - /* List Editor Empty State Message */ "No Items" = "Нет элементов"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Комментариев пока нет"; -/* No comment provided by engineer. */ -"No comments." = "Комментариев нет."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Записей нет."; -/* No comment provided by engineer. */ -"No preview available." = "Предварительный просмотр недоступен."; - /* A message title */ "No recent posts" = "Нет свежих записей"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Не нашли письмо? Загляните в папку со спамом."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Внимание: Автовоспроизведение видео может составить проблему для некоторых посетителей."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Внимание: Автовоспроизведение видео может составить проблему для некоторых посетителей."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Заметьте: макет колонок может меняться в зависимости от темы и размера экрана"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Примечание: большинство телефонов и планшетов не отображают встроенные PDF-файлы."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Ничего не найдено."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Номер"; -/* No comment provided by engineer. */ -"Number of comments" = "Количество комментариев"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Нумерованный список"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Кнопка One Password"; -/* No comment provided by engineer. */ -"One column" = "Один столбец"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "Один."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Смотрите только интересующую вас статистику. Добавьте тенденции, которые вам нужны."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Ой!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Открыть меню действий с блоком"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Открыть настройки устройства"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Открыть WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Навигация по открытым блокам"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Открыть инструмент выбора медиафайлов полностью"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Или войдите с _адресом вашего сайта_."; -/* No comment provided by engineer. */ -"Ordered" = "Упорядоченный"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Упорядоченный список"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Настройки упорядоченного списка"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Организация"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Другие сайты"; -/* No comment provided by engineer. */ -"Outdent" = "Обратный отступ"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Обратный отступ для элемента списка"; - -/* No comment provided by engineer. */ -"Outline" = "Контур"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Переопределено"; -/* No comment provided by engineer. */ -"PDF embed" = "Встроенный PDF"; - -/* No comment provided by engineer. */ -"PDF settings" = "Настройки PDF"; - /* Register Domain - Phone number section header title */ "PHONE" = "ТЕЛЕФОН"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Страница"; -/* No comment provided by engineer. */ -"Page Link" = "Ссылка на страницу"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Страница восстановлена в списке \"Черновики\""; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Разбиение на страницы"; -/* No comment provided by engineer. */ -"Paragraph" = "Абзац"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Блок параграфа"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Родительская рубрика"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Вставьте URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Вставьте ссылку на содержимое, которое вы хотите отобразить на своем сайте."; +"Paste block after" = "Вставить блок после"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Вставить без форматирования"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Выберите макет главной страницы. Его можно настроить или изменить позже."; -/* No comment provided by engineer. */ -"Pill Shape" = "Форма таблетки"; - /* The item to select during a guided tour. */ "Plan" = "Тариф"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Тарифные планы"; -/* No comment provided by engineer. */ -"Play inline" = "Проигрывать встроенным"; - /* User action to play a video on the editor. */ "Play video" = "Воспроизвести видео"; -/* No comment provided by engineer. */ -"Playback controls" = "Контроль воспроизведения"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Пожалуйста добавьте что-нибудь в содержимое перед публикацией."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Популярные языки"; -/* No comment provided by engineer. */ -"Portrait" = "Портрет"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Запись"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Рубрики записи"; -/* No comment provided by engineer. */ -"Post Comment" = "Комментарий к записи"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Автор комментария"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Содержимое комментария"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Дата комментария"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Блок подсчета комментариев к записи: записей не найдено."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Форма комментирования записи"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Блок формы комментария: комментарии не включены для этого типа записей."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Блок формы комментирования: комментарии к этой записи не разрешаются."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Блок ссылок для комментариев : запись не найдена."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Формат записи"; -/* No comment provided by engineer. */ -"Post Link" = "Ссылка записи"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Запись восстановлена и перемещена в черновики"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Запись автора %1$@, из %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Блок комментариев к записи: запись не найдена."; - /* No comment provided by engineer. */ "Post content settings" = "Настройки содержимого записи"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Опубликовано в %1$@, %2$@, автором %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Постер"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Частота публикаций"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Записи"; -/* No comment provided by engineer. */ -"Posts List" = "Список записей"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Страница записей"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Предоставлено Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Преформатированный текст"; - /* No comment provided by engineer. */ "Preload" = "Предварительная загрузка"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Посмотрите ваш сайт перед тем, как его увидят посетители."; -/* No comment provided by engineer. */ -"Previous Page" = "Предыдущая страница"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Предыдущее уведомление"; -/* No comment provided by engineer. */ -"Previous page link" = "Ссылка на предыдущую страницу"; - /* Accessibility label */ "Previous period" = "Предыдущий период"; -/* No comment provided by engineer. */ -"Previous post" = "Предыдущая запись"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Основной сайт"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Проекты"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Мотивируйте посетителей к действию ссылкой в виде кнопки."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Мотивируйте посетителей к действию с помощью группы ссылок в стиле кнопок."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Предоставленный тип не поддерживается."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Открыто"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Публикация…"; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Цитируемый текст выдержки"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Текст выдержки"; - /* Title of screen showing site purchases */ "Purchases" = "Покупки"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-уведомления отключены в настройках iOS. Включите \"Разрешить уведомления\"."; -/* No comment provided by engineer. */ -"Query Title" = "Заголовок запроса"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Быстрый старт"; -/* No comment provided by engineer. */ -"Quote citation text" = "Цитируемый текст выдержки"; - -/* No comment provided by engineer. */ -"Quote text" = "Текст цитаты"; - -/* No comment provided by engineer. */ -"RSS settings" = "Настройки RSS"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Оцените нас в App Store"; /* No comment provided by engineer. */ "Read more" = "Читать далее"; -/* No comment provided by engineer. */ -"Read more link text" = "Текст ссылки \"Читать далее\""; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Прочесть на"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Подключение установлено."; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Перенаправить на текущий URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Источник перехода"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "В разделе «Связанные записи» под вашими записями отображается соответствующее содержимое с вашего сайта"; -/* No comment provided by engineer. */ -"Release Date" = "Дата выпуска"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Удалить эту запись из моих сохраненных записей."; -/* No comment provided by engineer. */ -"Remove track" = "Удалить дорожку"; - /* User action to remove video. */ "Remove video" = "Удалить видеофайл"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Изменить размер и обрезать"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Изменить размер для устройств с небольшим экраном"; - /* The largest resolution allowed for uploading */ "Resolution" = "Разрешение"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Восстановление сайта"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Восстановить шаблон на предоставляемый темой по умолчанию"; - /* Button title for restore site action */ "Restore to this point" = "Восстановить до этой точки"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "\"Мои блоки\" нельзя редактировать в приложении WordPress для iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Обратная нумерация списка"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Отменить ожидание изменения"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Роль"; -/* No comment provided by engineer. */ -"Rotate" = "Вращать"; - -/* No comment provided by engineer. */ -"Row count" = "Количество строк"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS отправлено"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Выбрать стиль абзацев"; -/* No comment provided by engineer. */ -"Select poster image" = "Выберите изображение постера"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Выберите %@ , чтобы добавить учетные записи социальных сетей"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Отправлять push-уведомления"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Разделите содержимое на несколько страниц."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Отдавать изображения с наших серверов"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Установить как страницу записей"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Установите медиафайл и текст по бокам от него для богатства макета."; - /* The Jetpack view button title for the success state */ "Set up" = "Настройка"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Шорткод"; -/* No comment provided by engineer. */ -"Shortcode text" = "Текст шорткода"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Показывать заголовок"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Показать кнопку скачивания"; -/* No comment provided by engineer. */ -"Show inline embed" = "Показать встроенные объекты"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Показывать ссылки входа и выхода."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Показать пароль"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Показать содержимое записи"; -/* No comment provided by engineer. */ -"Show post counts" = "Отображать число записей"; - /* translators: Checkbox toggle label */ "Show section" = "Показать раздел"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Показаны только ваши записи"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Отображение большой начальной буквы."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Показ статистики для:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Показывает записи сайта"; -/* No comment provided by engineer. */ -"Sidebars" = "Боковые панели"; - /* View title during the sign up process. */ "Sign Up" = "Регистрация"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Язык сайта"; -/* No comment provided by engineer. */ -"Site Logo" = "Логотип сайта"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Безопасность и производительность сайта\nв вашем кармане"; -/* No comment provided by engineer. */ -"Site tagline text" = "Текст слогана сайта"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Часовой пояс сайта (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Название сайта изменено"; -/* No comment provided by engineer. */ -"Site title text" = "Текст названия сайта"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Сайты"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Сайты для подписки"; -/* No comment provided by engineer. */ -"Six." = "Шесть."; - /* Image size option title. */ "Size" = "Размер"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Соцсети"; -/* No comment provided by engineer. */ -"Social Icon" = "Значок соцсетей"; - -/* No comment provided by engineer. */ -"Solid color" = "Сплошной цвет"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Произошел сбой при загрузке некоторых медиафайлов. Это действие удалит из записи все медиафайлы, которые не удалось загрузить.\nВсе равно сохранить?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Извините, это имя недоступно."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "К сожалению, это содержимое не может быть встроено."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Извините, имя пользователя может содержать только строчные латинские буквы (a—z) и цифры."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Исходный код"; -/* No comment provided by engineer. */ -"Source language" = "Язык источника"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "юг"; /* Label for showing the available disk space quota available for media */ "Space used" = "Использованное место"; -/* No comment provided by engineer. */ -"Spacer settings" = "Настройки интервала"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Ускорьте ваш сайт"; -/* No comment provided by engineer. */ -"Square" = "Квадрат"; - /* Standard post format label */ "Standard" = "Стандартный"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Начать сначала"; -/* No comment provided by engineer. */ -"Start value" = "Начальное значение"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Начните с создания повествовательного блока."; - /* No comment provided by engineer. */ "Start writing…" = "Начните писать..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Перечёркнутый"; -/* No comment provided by engineer. */ -"Stripes" = "Полосы"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Заглушка"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Отправка на рассмотрение..."; -/* No comment provided by engineer. */ -"Subtitles" = "Субтитры"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Индекс Spotlight очищен"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Поддержка"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Сменить сайт"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Системные параметры по умолчанию"; -/* No comment provided by engineer. */ -"Table" = "Таблица"; - -/* No comment provided by engineer. */ -"Table caption text" = "Текст подписи к таблице"; - /* No comment provided by engineer. */ "Table of Contents" = "Содержание"; -/* No comment provided by engineer. */ -"Table settings" = "Настройки таблицы"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Таблица с показом %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Метка"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Настройки облака меток"; - -/* No comment provided by engineer. */ -"Tag Link" = "Ссылка на метку"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Метка уже существует"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Расскажите какой тип сайта вы хотите создать"; -/* No comment provided by engineer. */ -"Template Part" = "Часть шаблона"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Часть шаблона \"%s\" вставлена."; - -/* No comment provided by engineer. */ -"Template Parts" = "Части шаблона"; - -/* No comment provided by engineer. */ -"Template part created." = "Часть шаблона создана."; - -/* No comment provided by engineer. */ -"Templates" = "Шаблоны"; - -/* No comment provided by engineer. */ -"Term description." = "Описание элемента."; - /* The underlined title sentence */ "Terms and Conditions" = "Правила и условия"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Только текст"; -/* No comment provided by engineer. */ -"Text link settings" = "Настройки текстовой ссылки"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Пришлите мне сообщение с кодом"; -/* No comment provided by engineer. */ -"Text settings" = "Настройки текста"; - -/* No comment provided by engineer. */ -"Text tracks" = "Текстовые дорожки"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Благодарим вас за выбор темы %1$@ от %2$@!"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Сертификат для этого сервера недействителен. Возможно, вы пытаетесь подключиться к серверу, который имитирует «%@». Это может представлять риск для конфиденциальности вашей информации.\n\nДоверять этому сертификату?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "Адрес изображения-постера %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "Отрывок скрыт."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "Отрывок показан."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Файл %1$@ содержит элемент вредоносного кода"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Невозможно добавить видео в «Библиотеку файлов»."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "Клюв свой раскрыв,
Запеть не успел крапивник.
Кончился день."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Тема подключена"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Не удалось подключиться к %@. Чтобы публиковать записи, установите подключение."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "Изображение-постер не выбрано"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Для добавления фотографий и видео к вашим записям этому приложению необходим доступ к библиотеке медиафайлов на вашем устройстве. Если вы хотите разрешить доступ, измените настройки конфиденциальности."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "Этот блок устарел. Вместо этого используйте блок «Столбцы»."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "Это количество столбцов превышает рекомендуемое количество и может привести к визуальной поломке."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Этот домен недоступен"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Угроза проигнорирована."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Три столбца с равным разделением"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Три столбца текста; широкий центральный столбец"; - -/* No comment provided by engineer. */ -"Three." = "Три."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Миниатюра"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Заголовок"; -/* No comment provided by engineer. */ -"Title & Date" = "Заголовок и дата"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Заголовок и отрывок"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Название рубрики обязательно."; -/* No comment provided by engineer. */ -"Title of track" = "Заголовок дорожки"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Заголовок, дата и отрывок"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Для размещения фотографий и видео в ваших записях."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Чтобы войти через эту учетную запись Google, пожалуйста войдите сначала с паролем WordPress.com. Это запрашивается только один раз."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "Чтобы показать комментарий, введите его ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Для создания фотографий и видео, которые будут размещаться в ваших записях."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Показать исходный код HTML "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Переключить навигацию"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Сделать начальную букву большой."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Переход к упорядоченному списку"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Всего слов"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Дорожки могут быть субтитрами, подписями, главами или описаниями. Они помогают сделать ваш контент более доступным для более широкого круга пользователей."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Трафик"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Преобразовать %s в"; + +/* No comment provided by engineer. */ +"Transform block…" = "Преобразовать блок..."; + /* No comment provided by engineer. */ "Translate" = "Перевести"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Имя пользователя Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Два столбца с равным разделением"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Два столбца, разделение: одна треть, две трети"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Два столбца, разделение: две трети, одна треть"; - -/* No comment provided by engineer. */ -"Two." = "Два."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Введите ключевое слово для большего числа предложений"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Сайт без названия"; -/* No comment provided by engineer. */ -"Unordered" = "Неупорядоченный"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Неупорядоченный список"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Без названия"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Часть шаблона без заголовка"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Журналы хранятся в течение 7 дней."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Загрузить медиафайлы"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Загрузите файл или выберите его из медиабиблиотеки."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Загрузить значок сайта"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Загрузите изображение логотипа или выберите его из медиабиблиотеки."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Ошибка загрузки"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Использовать текущее местоположение"; -/* No comment provided by engineer. */ -"Use URL" = "Использовать URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Использовать редактор блоков"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Использовать классический редактор WordPress."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Используйте эту ссылку, чтобы подключить членов вашей команды, не приглашая их по одному. Любой, кто посетит этот URL-адрес, сможет зарегистрироваться в вашей организации, даже если он получил ссылку от кого-то другого, поэтому убедитесь, что вы делитесь ею с доверенными людьми."; /* No comment provided by engineer. */ "Use this site" = "Использовать этот сайт"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Полезно для отображения графического знака, дизайна или символа, представляющего сайт. После того, как логотип сайта установлен, его можно повторно использовать в разных местах и ​​в разных шаблонах. Его не следует путать со значком сайта, который представляет собой небольшое изображение, используемое на панели управления, вкладках браузера, общедоступных результатах поиска и.т.д. для облегчения распознавания сайта."; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Проверьте ваш адрес электронной почты, инструкции отосланы на %@"; -/* No comment provided by engineer. */ -"Verse text" = "Текст стиха"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Версия"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Доступна версия %@"; -/* No comment provided by engineer. */ -"Vertical" = "Вертикальный"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Предварительный просмотр видео недоступен"; -/* No comment provided by engineer. */ -"Video caption text" = "Текст подписи к видео"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Подпись к видео. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Обозреватели"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Высота области просмотра (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Уязвимая тема: %1$@ (версия %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Над чем развозился великий бог Пан,\nВнизу в камышах на реке?\nНаносит повсюду разор да изъян,\nПлескаясь и брызжа козлиной ногой,\nКувшинкам помял он убор золотой,\nСтрекоз разогнал по реке."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Консоль"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Добро пожаловать в раздел «Чтиво»."; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Добро пожаловать в удивительный мир блоков..."; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Добро пожаловать в самый популярный в мире конструктор сайтов."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Проверочный код для двухфакторной аутентификации недействителен. Проверьте код и повторите попытку."; -/* No comment provided by engineer. */ -"Wide Line" = "Широкая линия"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Виджеты"; -/* No comment provided by engineer. */ -"Width in pixels" = "Ширина в пикселях"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Не будет опубликован."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "С настолько мощным редактором вы можете создавать публикации на ходу."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Лесной дрозд поёт в Центральном парке, Нью-Йорк."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Настройки приложения WordPress"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Введите код..."; -/* No comment provided by engineer. */ -"Write file name…" = "Впишите имя файла ..."; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Добавить подпись к галерее..."; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Напишите предварительно отформатированный текст..."; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Введите шорткод здесь..."; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Напишите слоган сайта..."; - -/* No comment provided by engineer. */ -"Write site title…" = "Написать название сайта…"; - -/* No comment provided by engineer. */ -"Write title…" = "Напишите заголовок"; - -/* No comment provided by engineer. */ -"Write verse…" = "Напишите стих..."; - /* Title for the writing section in site settings screen */ "Writing" = "Написание"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "При открытии сайта в браузере Safari его адрес отображается в строке в верхней части экрана."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Ваш сайт не поддерживает \"%s\" блок. Вы можете оставить этот блок нетронутым или полностью удалить его."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Ваш сайт не поддерживает \"%s\" блок. Вы можете оставить этот блок нетронутым, преобразовать его содержимое в произвольный HTML-блок или полностью удалить его."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Ваш сайт не поддерживает этот блок."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Ваш сайт создан!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Сейчас вы используете редактор блоков для новых записей. Отлично! Если захотите изменить редактор на классический, то сделайте это в 'Мой сайт'>'Настройки сайта',"; -/* No comment provided by engineer. */ -"Zoom" = "Увеличить"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "час"; -/* No comment provided by engineer. */ -"archive" = "архив"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "аудио"; -/* No comment provided by engineer. */ -"blockquote" = "цитата"; - -/* No comment provided by engineer. */ -"blog" = "блог"; - -/* No comment provided by engineer. */ -"bullet list" = "маркированный список"; - /* Used when displaying author of a plugin. */ "by %@" = "автора %@"; -/* No comment provided by engineer. */ -"cite" = "цитировать"; - /* The menu item to select during a guided tour. */ "connections" = "подключения"; -/* No comment provided by engineer. */ -"container" = "контейнер"; - -/* No comment provided by engineer. */ -"description" = "описание"; - -/* No comment provided by engineer. */ -"divider" = "разделитель"; - -/* No comment provided by engineer. */ -"document" = "документ"; - /* No comment provided by engineer. */ "document outline" = "структура документа"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "нажмите дважды для смены единиц"; -/* No comment provided by engineer. */ -"download" = "скачать"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "например: 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "напр. 44"; -/* No comment provided by engineer. */ -"embed" = "вставка"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "лента"; - -/* No comment provided by engineer. */ -"find" = "найти"; - /* Noun. Describes a site's follower. */ "follower" = "читатель"; -/* No comment provided by engineer. */ -"form" = "форма"; - -/* No comment provided by engineer. */ -"horizontal-line" = "горизонтальная-линия"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/мой-адрес-сайта (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/ru.wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "Изображение"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "Изображение в галерее %1$d из %2$d"; -/* No comment provided by engineer. */ -"images" = "изображения"; - /* Text for related post cell preview */ "in \"Apps\"" = "в разделе «Приложения»"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "позже сегодня"; -/* No comment provided by engineer. */ -"link" = "ссылка"; - -/* No comment provided by engineer. */ -"links" = "ссылки"; - -/* No comment provided by engineer. */ -"login" = "вход"; - -/* No comment provided by engineer. */ -"logout" = "выход"; - -/* No comment provided by engineer. */ -"menu" = "меню"; - -/* No comment provided by engineer. */ -"movie" = "фильм"; - -/* No comment provided by engineer. */ -"music" = "музыка"; - -/* No comment provided by engineer. */ -"navigation" = "навигация"; - -/* No comment provided by engineer. */ -"next page" = "следующая страница"; - -/* No comment provided by engineer. */ -"numbered list" = "нумерованный список"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "из"; -/* No comment provided by engineer. */ -"ordered list" = "упорядоченный список"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "другое"; -/* No comment provided by engineer. */ -"pagination" = "разделение на страницы"; - /* No comment provided by engineer. */ "password" = "пароль"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "номер телефона"; -/* No comment provided by engineer. */ -"photos" = "фотографии"; - -/* No comment provided by engineer. */ -"picture" = "изображение"; - -/* No comment provided by engineer. */ -"podcast" = "подкаст"; - -/* No comment provided by engineer. */ -"poem" = "стих"; - -/* No comment provided by engineer. */ -"poetry" = "поэзия"; - -/* No comment provided by engineer. */ -"post" = "записи"; - -/* No comment provided by engineer. */ -"posts" = "записи"; - -/* No comment provided by engineer. */ -"read more" = "читать далее"; - -/* No comment provided by engineer. */ -"recent comments" = "недавние комментарии"; - -/* No comment provided by engineer. */ -"recent posts" = "последние записи"; - -/* No comment provided by engineer. */ -"recording" = "запись"; - -/* No comment provided by engineer. */ -"row" = "строка"; - -/* No comment provided by engineer. */ -"section" = "раздел"; - -/* No comment provided by engineer. */ -"social" = "социальные сети"; - -/* No comment provided by engineer. */ -"sound" = "звук"; - -/* No comment provided by engineer. */ -"subtitle" = "субтитры"; - /* No comment provided by engineer. */ "summary" = "итог"; -/* No comment provided by engineer. */ -"survey" = "опрос"; - -/* No comment provided by engineer. */ -"text" = "текст"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "эти элементы будут удалены:"; -/* No comment provided by engineer. */ -"title" = "заголовок"; - /* Today */ "today" = "сегодня"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, сайты, сайт, блоги, блог"; -/* No comment provided by engineer. */ -"wrapper" = "декоратор"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "Ваш новый домен %@ настраивается."; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Кобаяси Исса (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Домены"; diff --git a/WordPress/Resources/sk.lproj/Localizable.strings b/WordPress/Resources/sk.lproj/Localizable.strings index 836393ca4085..1ac0fb044d29 100644 --- a/WordPress/Resources/sk.lproj/Localizable.strings +++ b/WordPress/Resources/sk.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li slov, %2$li znakov"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "Nahraný 1 koncept"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Tlačidlo \"Viac\" obsahuje rozbaľovací zoznam, ktorý zobrazuje tlačidlá zdieľania"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Značka s názvom '%@' už existuje."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "O"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Pridať alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Pridajte vlastný web"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Pridať značky"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albumy"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Zarovnanie"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Vyskytla sa neznáma chyba. Prosím skúste to znova."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Schvaľuje komentár."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Ste si istí, že chcete zrušiť a odstrániť zmeny?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Naozaj chcete aktualizovať?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Od 1. augusta 2018 spoločnosť Facebook už neumožňuje priame zdieľanie príspevkov na profily služby Facebook. Pripojenia na stránky Facebooku zostávajú nezmenené."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Pridať súbor ako odkaz"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Zablokovať škodlivé pokusy o prihlásenie"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blokovať túto webovú stránku"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Návštevník blogu"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Tučné"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Rozdeliť vlákna komentárov do viacej stránok."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Prehliadajte všetky naše témy, aby ste našli takú, ktorá sa vám perfektne hodí."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Štýl tlačidiel"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Prepočítava sa..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Fotoaparát"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Titulok"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Pozor!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategória"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Chýba názov kategórie."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Chyba certifikátu"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Zmeniť heslo"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Zmena sa nepodarila"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Prebieha zmena užívateľského mena"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Skontrolujte chybu pri nákupe"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Zatvoriť komentovanie"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kód"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Pripojenia"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakt"; - /* Support email label. */ "Contact Email" = "Kontaktný e-mail"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontaktovať podporu"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontaktujte nás na adrese %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Skopírovať odkaz do komentáru"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Nepodarilo sa zistiť nákupy na webe."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Nepodarilo sa sledovať webovú stránku"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Vytvoriť web na WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Vytvoriť značku"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Vytvorte novú webovú stránku pre váš podnik, magazín alebo osobný blog. Rovnako sa pripojte k existujúcej inštalácii WordPress."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Prispôsobte nastavenia vašej webovej stránky pre označenia Páči sa mi to, Komentáre, Sledujúci a iné."; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Predvolené"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Základné pre nové príspevky"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Chyba pri mazaní stránky"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Vymazať značku."; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Popis"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaily"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Zobraziť meno"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dokument: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Koncepty"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Východ"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Upraviť článok"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Upraviť tlačidlo zdieľania"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email odoslaný!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Prázdne"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Prázdny URL odkaz"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Povoliť"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Zadajte rôzne slová a vyhľadáme adresu, ktorá sa zhoduje."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Vyskytla sa chyba pri aktualizácii nastavení zrýchlenia webovej stránky."; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Udalosť"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportovať obsah"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Ilustračný obrázok sa nenačítal"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Načítavanie tém..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Typ súboru"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Krstné meno"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Poslať ďalej"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Zadarmo"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Vzdať sa"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Obsah"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Nadpis 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Nadpis 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Nadpis 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Pomoc"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Skryť klávesnicu"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Podržať pre moderovanie"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Ak odstránite %1$@, používateľ sa už nedostane k tejto webovej stránke, ale hociaký obsah, ktorý vytvoril %2$@ zostane na webovej stránke."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Veľkosť obrázka"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Nadpis obrázka"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Nadpis obrázka"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Obrázok, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Okamžite"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Pár slovami povedzte niečo o tejto stránke."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Neaktívny"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Nesprávne užívateľské meno alebo heslo. Skúste to znovu a zadajte vaše prihlasovacie údaje."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Vložte súbory"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Vložiť súbor"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Inštaluje sa prvý plugin na webovej stránke. Môže to trvať 1 minútu. Počas tohto času, nebudete môcť vykonávať zmeny na webovej stránke."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kurzíva"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Známy užívatelia"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Menovka"; -/* No comment provided by engineer. */ -"Landscape" = "Landscape"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Jazyk"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Veľký"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Zhrnutie najnovších článkov"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Zistiť viac"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Zistite viac o formátovaní dátumu a času."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Pomôžeme"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Odkaz na"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Prepojiť na existujúci obsah"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Odkazy v komentároch"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Nahráva sa..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Miestne"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Odhlásiť sa z WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Žiadosť na prihlásenie vypršala"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Logy"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Zabudli ste heslo?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Hlavná navigácia"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Spárujte účty použitím e-mailovej adresy"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Maximálna veľkosť nahratého obrázka"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maximálna veľkosť nahraného videa"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Náhľad súboru zlyhal."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Nahrávajú sa média (%ld súborov)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Sledujte dobu prevádzky vašej webovej stránky"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Mesiace"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Môj profil"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Názov"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Potrebujete pomoc?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nové príspevky"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Najnovšie"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Ďalší"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Nasledujúce upozornenie"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Nie"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Žiadne pripojenie"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Žiadne položky"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Žiadne komentáre"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Žiadne nedávne články"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nič nebolo nájdené."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Očíslovaný zoznam"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Ojoj!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Otvoriť nastavenia zariadenia"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Otvoriť WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Otvoriť výber všetkých médií"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Zoradený zoznam"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Ďalšie webové stránky"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Stránka"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Stránka obnovená do konceptov"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Stránkovanie"; -/* No comment provided by engineer. */ -"Paragraph" = "Odsek"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Nadradená kategória"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Prilepiť bez formátovania"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Paušály"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Prehrať video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Populárne jazyky"; -/* No comment provided by engineer. */ -"Portrait" = "Portrait"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Článok"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Kategórie článku"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Pridať formát"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Článok obnovený ako koncept"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Článok %1$@, z %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Aktivita prispievania"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Články"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Prezrite si svoje webové stránky, aby ste videli to, čo uvidia vaši návštevníci."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Predchádzajúce upozornenie"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primárna webová stránka"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekty"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Verejné"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Zverejňovanie..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Nákupy"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifikácie boli vypnuté v iOS nastaveniach. Prepnite možnosť \"Povoliť upozornenia\" a zapnite ich späť."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Rýchly štart"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Ohodnoťte nás na App Store"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Prečítať na "; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Znovu pripojené"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Odkazujúci"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Súvisiace články zobrazujú príslušný obsah vašej webovej stránky pod vašimi článkami"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Odstrániť tento príspevok z mojich uložených príspevkov."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Odstrániť video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Upraviť veľkosť a orezať"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Výsledok"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Vrátiť čakajúcu zmenu"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rola"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS odoslaná"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Vyberte štýl odseku"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Zvoľte %@ a pridajte účty na sociálnych sieťach"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Odoslať zobrazovanie upozornení"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Poskytnúť obrázku z našich serverov"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Zobraziť hlavičku"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Zobrazujú sa iba moje články"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Jazyk webovej stránky"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Webové stránky"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Veľkosť"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Niektoré nahrávania súborov zlyhali. Táto akcia vymaže všetky neúspešne nahrané súbory. \nZachrániť niektoré?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Toto používateľské meno je nedostupné."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Ospravedlňujeme sa, používateľské mená môžu obsahovať iba malé písmená (a-z) a čísla."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Zdrojový kód"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Juh"; /* Label for showing the available disk space quota available for media */ "Space used" = "Využité miesot"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Zrýchlite svoju webovú stránku "; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Štandardné"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Začať znova"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Preškrtnutie "; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Zástup"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Odoslanie na kontrolu..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Úspešne vyčistený spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Podpora"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Prepnúť webovú stránku"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Podľa systému"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Značka"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Značka už existuje"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Len text"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Radšej mi pošlite kód"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Ďakujeme, že používate %1$@ od %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certifikát pre tento server je neplatný. Môžete sa pripájať na server, ktorý sa len tvári, že je \"%@\", a to môže ohroziť vaše dôverné informácie.\n\nChcete aj tak dôverovať tomuto certifikátu?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video sa nepodarilo pridať do knižnice."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Téma aktivovaná"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Vyskytol sa problém pripojenia k %@. Znovu pripojiť a pokračovať vo zverejnení."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Táto aplikácia potrebuje povolenie na prístup do knižnice súborov vo vašom zariadení, aby ste mohli pridať fotografie a\/alebo video do vášho článku. Prosím zmeňte nastavenia súkromia, pokiaľ si prajete ich pridanie."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatúra"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Nadpis"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Názov kategórie je povinný."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Pridávanie fotografií alebo videí do vašich článkov."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Prosím, prihláste sa pomocou hesla na WordPress.com a pokračujte s účtou Google. Prihlásite sa iba raz."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Pridajte fotku alebo nahrajte videá do vašich článkov."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Prepnúť HTML zdroj"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Zapína a vypína zoradený zoznam štýlov"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Prenos"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Používateľské meno na Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Zadajte kľúčové slovo pre viac nápadov"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Webová stránka bez názvu"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Nezoradený zoznam"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Untitled"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Až sedem dní sú uložené prihlasovacie údaje."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Nahrať súbor"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Nahrávanie zlyhalo"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Použiť aktuálnu polohu"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "Použite túto webovú stránku"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Verzia"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Verzia %@ je k dispozícii"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Ukážka videa nie je dostupná"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Návštevníci"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Vitajte v Čítačke"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Hups, dvojfaktorový overovací kód nie je platný. Skontrolujte kód a skúste ešte raz!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Táto adresa nebude zverejnená."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Nastavenia aplikácie WordPress"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Písanie"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Adresa webovej stránky sa zobrazí na hornom paneli obrazovky, keď navštívite webovú stránku cez Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[KOMENTÁR]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "hodina"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "kým %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "Prepojenia"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "odberateľ"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/moja-stranka.sk (URL adresa)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "obrázok"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "v \"Aplikácie\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "neskôr dnes"; -/* No comment provided by engineer. */ -"link" = "odkaz"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "z"; -/* No comment provided by engineer. */ -"ordered list" = "ordered list"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "ďalšie"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "nasledujúce položky budú zmazané:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "dnes"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, webové stránky, webová stránka, blogy, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domény"; diff --git a/WordPress/Resources/sq.lproj/Localizable.strings b/WordPress/Resources/sq.lproj/Localizable.strings index 2e2b50a047aa..e3ea9a7408de 100644 --- a/WordPress/Resources/sq.lproj/Localizable.strings +++ b/WordPress/Resources/sq.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-05 09:40:13+0000 */ +/* Translation-Revision-Date: 2021-05-10 15:15:59+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: sq_AL */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d postime të papara"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d nga %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s u shndërrua në %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s është %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li fjalë, %2$li shenja"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "Mundësi blloku %s"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s bllok. I zbrazët"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s bllok. Ky bllok ka lëndë të pavlefshme"; -/* translators: %s: Number of comments */ -"%s comment" = "%s koment"; - -/* translators: %s: name of the social service. */ -"%s label" = "Etiketë %s"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' s’mbulohet plotësisht"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Rresht adrese %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Përzgjidhni -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ Një “bllok” është termi abstrakt\n\/\/ i përdorur për të përshkruar njësi\n\/\/ formatimi teksti, që kur përdoren\n\/\/ tok, formojnë lëndën ose skemën\n\/\/ grafike të një faqeje.\nregisterBlockType( emër, rregullime );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "U ngarkua 1 skicë postimi"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 gjet një kërcënim potencial"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 orë"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Një buton “Më tepër” përmban një menu hapmbyll që shfaq butona ndarjesh me të tjerët"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "Një kalendar i postimeve në sajtin tuaj."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "Një re e etiketave tuaja më të përdorura."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "Një koleksion blloqesh që u lejon vizitorëve të lëvizin nëpër sajtin tuaj."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "U caktua një figurë e zgjedhur. Prekeni që ta ndryshoni."; /* Title for a threat */ "A file contains a malicious code pattern" = "Një kartelë përmban rregullsi kodi dashakeq"; -/* No comment provided by engineer. */ -"A link to a category." = "Një lidhje për te një kategori."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "Një lidhje te një URL vetjake."; - -/* No comment provided by engineer. */ -"A link to a page." = "Lidhje për te një faqe."; - -/* No comment provided by engineer. */ -"A link to a post." = "Një lidhje për te një postim."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Një lidhje për te një etiketë."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Një listë sajtesh në këtë llogari."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Një varg hapash për t’ju ndihmuar të shtoni publikun e sajtit."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "Një shtyllë njëshe brenda blloku shtyllash."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Ka tashmë një etiketë të quajtur '%@'."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESË"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Mbi"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Shtoni Kartë të Re Statistikash"; -/* No comment provided by engineer. */ -"Add Template" = "Shtoni Gjedhe"; - /* No comment provided by engineer. */ "Add To Beginning" = "Shtoje Në Fillim"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Shtoni një temë"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Shtoni një bllok që e shfaq lëndën në shumë shtylla, mandej shtoni çfarëdo blloqesh lënde që doni."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Shtoni një bllok që shfaq lëndë të marrë nga sajte të tjerë, b.f. Twitter, Instagram ose YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Shtoni këtu një URL CSS-je vetjake që të ngarkohet në Lexues. Nëse xhironi Calypso-n lokalisht, kjo mund të ishte diçka si: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Shtoni një lidhje te një kartelë e shkarkueshme."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Shtoni te menuja juaj e lëvizjeve një faqe, lidhje ose element tjetër."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Shtoni një sajt të vetëstrehuar"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Shtoni tekst alternativ"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Shtoni një figurë ose video me njëfarë teksti përsipër - e shkëlqyer për krye."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Shtoni çfarëdo teme"; /* No comment provided by engineer. */ "Add caption" = "Shtoni legjendë"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Shtoni citim"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Shtoni kod HTML vetjak dhe shihni një paraparje të tij, në përpunim e sipër."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Shton figurë, ose avatar, që të përfaqësojë këtë llogari të re."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Shtoni bllok paragraf"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Shtoni citim"; - /* Add self-hosted site button */ "Add self-hosted site" = "Shto sajt të vetëstrehuar"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Shtoni etiketa"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Shtoni tekst që respekton hapësirat dhe tabulacionet tuaja, dhe lejon gjithashtu stilizim."; - /* No comment provided by engineer. */ "Add text…" = "Shtoni tekst…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Shtoni autorin e këtij postimi."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Shtoni datën e këtij postimi."; - /* No comment provided by engineer. */ "Add this email link" = "Shto këtë lidhje email"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Shto këtë lidhje telefoni"; -/* No comment provided by engineer. */ -"Add tracks" = "Shtoni pjesë"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Shtoni hapësirë të zbrazët mes blloqesh dhe përshtatni lartësinë e tyre."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Shtim veçorish sajti"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albume"; -/* No comment provided by engineer. */ -"Align column center" = "Vendose shtyllën në qendër"; - -/* No comment provided by engineer. */ -"Align column left" = "Vendose shtyllën majtas"; - -/* No comment provided by engineer. */ -"Align column right" = "Vendose shtyllën djathtas"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Drejtim"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ndodhi një gabim."; -/* No comment provided by engineer. */ -"An example title" = "Shembull titulli"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ndodhi një gabim i panjohur. Ju lutemi, riprovoni."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "E miraton Komentin."; -/* No comment provided by engineer. */ -"Archive Title" = "Titull Arkivi"; - -/* No comment provided by engineer. */ -"Archive title" = "Titull arkivi"; - -/* No comment provided by engineer. */ -"Archives settings" = "Rregullime arkivash"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Jeni i sigurt se doni të anulohet dhe të hidhen tej ndryshimet?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Jeni i sigurt se doni të përditësohet?"; -/* No comment provided by engineer. */ -"Area" = "Zonë"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Nga 1 Gusht, 2018, Facebook-u nuk lejon më ndarje të drejtpërdrejtë të postimeve në Profile Facebook. Lidhjet te Faqe Facebook mbeten të pandryshuara."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Përpjesëtim"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Bashkëngjite Kartelën si Lidhje"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Luajtës Audio"; -/* No comment provided by engineer. */ -"Audio caption text" = "Tekst përshkrimi videoje"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Marrje audio. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Blloku s’mund të krijohet brenda vetes."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blloku u kopjua"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blloku u pre"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blloku u përsëdyt"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Përpunuesi me blloqe i aktivizuar"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blloko përpjekje dashakeqe për hyrje"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blloku u ngjit"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blloku u hoq"; + +/* No comment provided by engineer. */ +"Block settings" = "Rregullime blloku"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Bllokoje këtë sajt"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Shikues Blogu"; -/* No comment provided by engineer. */ -"Body cell text" = "Tekst kuadrati lënde"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Të trasha"; -/* No comment provided by engineer. */ -"Border" = "Anë"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Copëzojini rrjedhat e komenteve në disa faqe."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Përshkruajeni shkurt lidhjen që të ndihmoni përdoruesit e lexuesit të ekranit."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Shfletoni krejt temat tuaja që të gjeni përputhjen e përsosur."; -/* No comment provided by engineer. */ -"Browse all templates" = "Shfletoni krejt gjedhet"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Shfletoni krejt gjedhet. Kjo do të hapë menunë e gjedheve te paneli anësor i lëvizjeve."; - /* No comment provided by engineer. */ "Browser default" = "Parazgjedhje shfletuesi"; @@ -1159,10 +1007,7 @@ "Button Style" = "Stil Butoni"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Butona të shfaqur në një shtyllë."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Butona të shfaqur në një rresht."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "Nga "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Po llogariten…"; -/* No comment provided by engineer. */ -"Call to Action" = "Thirrje Për Veprim"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamerë"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Legjendë"; -/* No comment provided by engineer. */ -"Captions" = "Titra"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Kujdes!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Lidhje Kategorie"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Mungon titull kategorie."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Gabim dëshmie"; -/* No comment provided by engineer. */ -"Change Date" = "Ndryshoni Datën"; - /* Account Settings Change password label Main title */ "Change Password" = "Ndryshoni Fjalëkalimin"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Ndryshoni pozicion blloku"; -/* No comment provided by engineer. */ -"Change column alignment" = "Ndryshoni drejtim shtylle"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Ndryshimi dështoi"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Po ndryshohet emri i përdoruesit"; -/* No comment provided by engineer. */ -"Chapters" = "Kapituj"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Kontrolloni për Gabim Blerjesh"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Zgjidhni përkatësi"; -/* No comment provided by engineer. */ -"Choose existing" = "Zgjidhni një ekzistuese"; - /* No comment provided by engineer. */ "Choose file" = "Zgjidhni kartelë"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Të spastrohen krejt regjistrat e vjetër të veprimtarisë?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Spastro përshtatjet"; - /* No comment provided by engineer. */ "Clear search" = "Spastroje kërkimin"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Mbylle komentimin"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Mbyll anështyllë stilesh globale"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Mbyll anështyllë parjeje liste"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Mbyll anështyllën e rregullimeve"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Mbylle skenën Unë"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kod"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Kodi është Poezi"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "E tkurrur, %i hapa të plotësuara, klikimi e zgjeron listën e këtyre hapave"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Sfonde shumëngjyrësh"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Tekst shtylle %d"; - -/* No comment provided by engineer. */ -"Column count" = "Numër shtylle"; - -/* No comment provided by engineer. */ -"Column settings" = "Rregullime shtylle"; - -/* No comment provided by engineer. */ -"Columns" = "Shtylla"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Ndërthurni blloqe në një grup."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Ndërthurni foto, video dhe tekst, që të krijoni postime shkrimesh tërheqës, që vizitorët tuaj do t’i duan fort."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Lidhje"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakt"; - /* Support email label. */ "Contact Email" = "Email Kontaktesh"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Lidhuni me asistencën"; -/* No comment provided by engineer. */ -"Contact us" = "Lidhuni me ne"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Lidhuni me ne te %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Strukturë Lënde\nBlloqe: %1$li, Fjalë: %2$li, Shenja: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Lënda përpara këtij blloku do të shfaqet te copëza, te faqja juaj e arkivave."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Po vazhdohet me Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Shndërroji në blloqe"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Shndërroje në listë të renditur"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Shndërroje në listë të parenditur"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Gatim"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "URL-ja u kopjua në të papastrën tuaj."; - /* No comment provided by engineer. */ "Copied block" = "Blloku u kopjua"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Kopjo Lidhjen për te Komenti"; /* No comment provided by engineer. */ -"Copy URL" = "Kopjoji URL-në"; +"Copy block" = "Kopjoje bllokun"; /* No comment provided by engineer. */ "Copy file URL" = "Kopjo URL kartele"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "S’u plotësuan dot blerje sajti."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "S’u përpunua dot figura. %s"; - /* Title of a prompt. */ "Could not follow site" = "S’u ndoq dot sajti"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Krijoni Postim Shkrimi"; -/* No comment provided by engineer. */ -"Create Table" = "Krijo Tabelë"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Krijo sajt WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Krijoni një Etiketë"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Krijoni një ndërprerje mes idesh apo seksionesh, me një ndarës horizontal."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Krijoni një listë me toptha ose të numërtuar."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Krijoni një sajt të ri"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Krijoni një sajt të ri për biznesin tuaj, revistë ose blog personal; ose lidhni një instalim WordPress ekzistues."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Krijoni një pjesë të re gjedheje, ose zgjidhni një nga lista."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Krijoni një postim ose faqe"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Krijoni një postim, faqe ose shkrim"; -/* No comment provided by engineer. */ -"Create a template part" = "Krijoni një pjesë gjedheje"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Krijoni lëndë dhe ruajeni, për ta ripërdorur nëpër sajtin tuaj. Përditësojeni bllokun, dhe ndryshimet vihen në jetë kudo ku është përdorur."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Krijoni kopjeruajtje të shkarkueshme"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Po rikthehet: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Lidhje Vetjake"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Mesazh vetjak…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Përshtatni rregullime të sajtit tuaj, të tilla si Pëlqime, Komente, Ndjekje, etj."; +/* No comment provided by engineer. */ +"Cut block" = "Prije bllokun"; + /* Title for the app appearance setting for dark mode */ "Dark" = "E errët"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "17 Dhjetor, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "6 dhjetor, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Parazgjedhje"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "URL Parazgjedhje"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Parazgjedhje e bazuar në zonën (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Parazgjedhje për Postime të Reja"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Gabim Fshirje Sajti"; -/* No comment provided by engineer. */ -"Delete column" = "Fshije shtyllën"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Fshije menunë"; -/* No comment provided by engineer. */ -"Delete row" = "Fshije rreshtin"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Fshije këtë etiketë"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Përshkrim"; -/* No comment provided by engineer. */ -"Descriptions" = "Përshkrime"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Dizajn"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Shkëputi blloqet prej pjesës së gjedhes"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Hollësi"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Emër Shfaqjeje"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Shfaqni një widget të dikurshëm."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Shfaqni një listë të krejt kategorive."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Shfaqni një listë të krejt faqeve."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Shfaqni një listë të komenteve tuaja më të reja."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Shfaqni një listë të postimeve tuaj më të freskët, përjashto postimet ngjitës."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Shfaqni një listë të postimeve tuaja më të reja."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Shfaqni një arkiv mujor të postimeve tuaja."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Shfaqni kategoritë e një postimi."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Shfaqni numrin e komenteve të një postimi."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Shfaqni formular komentesh të një postimi."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Shfaqni komentet e një postimi."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Shfaqni copëz postimi."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Shfaqni figurë të zgjedhur të një postimi."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Shfaqni etiketat e një postimi."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Shfaqni një ikonë që përfaqëson një lidhje për te profil ose sajt mediash shoqërore."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Shfaqe si hapmbyll"; - -/* No comment provided by engineer. */ -"Display author" = "Shfaqni autorin"; - -/* No comment provided by engineer. */ -"Display avatar" = "Shfaqni avatarin"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Shfaqni copëza kodi që respektojnë hapësirat dhe tabulacionet tuaja."; - -/* No comment provided by engineer. */ -"Display date" = "Shfaqni datë"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Shfaqni zëra prej çfarëdo prurjeje RSS ose Atom."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Shfaqni copëz"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Shfaqni ikona që lidhin profilet tuaj në media shoqërore ose sajte."; - -/* No comment provided by engineer. */ -"Display login as form" = "Shfaqni hyrje si formular"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Shfaqni figura të shumta në një galeri të larmishme."; - /* No comment provided by engineer. */ "Display post date" = "Shfaq datë postimesh"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Shfaq titullin e arkivit bazuar te objekti i kërkuar."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Shfaq përshkrimin e kategorive, etiketave dhe klasifikimeve vetjake, kur shihet një arkiv."; - -/* No comment provided by engineer. */ -"Display the query title." = "Shfaqni titullin e kërkesës."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Shfaqe titullin si lidhje"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për gjithë kohën. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Shfaqni këtu statistikat e sajtit tuaj për sot. Formësojeni te aplikacioni WordPress nën statistikat e sajtit tuaj."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Shfaq një listë numrash faqesh për faqosje"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Shfaq një listë postimesh, si përfundim i një kërkese."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Shfaq një lëvizje të faqosur te grupi pasues\/i mëparshëm i postimeve, kur kjo ka vend."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Shfaq dhe lejon përpunimin e emrin të sajtit. Titulli i sajtit shfaqet te shtylla e titujve në shfletues, në përfundime kërkimesh, etj. I pranishëm edhe te Rregullime > Të përgjithshme."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Shfaq lëndën e një postimi ose faqeje."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Shfaq lidhjen për te komentet e postimit të tanishëm."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Shfaq lidhjen për postimin pasues ose të mëparshëm që është ngjitur me postimin e tanishëm."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Shfaq lidhjen për te faqja pasuese e postimeve."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Shfaq lidhjen e postimit që pason postimin e tanishëm."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Shfaq lidhjen e postimit që i paraprin postimit të tanishëm."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Shfaq lidhjen për te faqja e mëparshme e postimeve."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Shfaq titullin e një postimi, faqeje, ose çfarëdo lloji tjetër lënde."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dokument: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Mos vrisni mendjen"; -/* No comment provided by engineer. */ -"Dots" = "Pika"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Prekeni dy herë dhe mbajeni të prekur që të lëvizet ky element menuje lart ose poshtë"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Prekeni dy herë që të hapet Fleta e Veprimeve për përpunim, zëvendësim ose spastrim të figurës"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Prekeni dyfish që të hapet Fleta e Veprimeve me mundësitë e gatshme"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Prekeni dy herë që të hapet Fleta e Poshtme për përpunim, zëvendësim ose spastrim të figurës"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Prekeni dyfish që të hapet Fleta e Poshtme me mundësitë e gatshme"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Që të ribëhet ndryshimi i fundit, prekeni dyfish"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Shkarko kopjeruajtje"; -/* No comment provided by engineer. */ -"Download button settings" = "Rregullime butoni shkarkimesh"; - -/* No comment provided by engineer. */ -"Download button text" = "Tekst butoni shkarkimesh"; - /* Title for the button that will download the backup file. */ "Download file" = "Shkarko kartelën"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Shkarkoni gjedhe dhe pjesë gjedhesh tuajat."; - /* Label for number of file downloads. */ "Downloads" = "Shkarkime"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Skica"; -/* No comment provided by engineer. */ -"Drop cap" = "Kryeshkronjë"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Përsëdytje"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURË)\nDritare, shumë e vogël në largësi, e ndriçuar.\nGjithçka përreth kësaj gjendet në një skenë thuajse tërësisht të errët. Tani, teksa kamera shkon ngadalë drejt dritares, e cila në kuadër është sa një pullë poste, zënë e duken forma të tjera;"; +/* No comment provided by engineer. */ +"Duplicate block" = "Përsëdyte bllokun"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Lindje"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Përpunoni bllok %@"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Përpunojeni %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Përpunoni Fjalë Liste Bllokimesh"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Përpunoni Postimin"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Përpunoni URL RSS-je"; - -/* No comment provided by engineer. */ -"Edit URL" = "Përpunoni URL"; - /* No comment provided by engineer. */ "Edit file" = "Përpunoni kartelën"; /* No comment provided by engineer. */ "Edit focal point" = "Përpunoni pikë vatrore"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Përpunoni figurë galerie"; - /* No comment provided by engineer. */ "Edit image" = "Përpunoni figurën"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Përpunoni butona ndarjesh me të tjerë"; -/* No comment provided by engineer. */ -"Edit table" = "Përpunoni tabelë"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Përpunoni postimin së pari"; -/* No comment provided by engineer. */ -"Edit track" = "Përpunoni pjesë"; - /* No comment provided by engineer. */ "Edit using web editor" = "Përpunojeni duke përdorur përpunuesin web"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email-i u dërgua!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Trupëzoni lëndë Amazon Kindle."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Trupëzoni lëndë Cloudup."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Trupëzoni lëndë CollegeHumor."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Trupëzoni lëndë Crowdsignal (dikur Polldaddy)."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Trupëzoni lëndë Flickr."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Trupëzoni lëndë Imgur."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Trupëzoni lëndë Issuu."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Trupëzoni lëndë Kickstarter."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Trupëzoni lëndë Meetup.com."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Trupëzoni lëndë Mixcloud."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Trupëzoni lëndë ReverbNation."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Trupëzoni lëndë Screencast."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Trupëzoni lëndë Scribd."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Trupëzoni lëndë Slideshare."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Trupëzoni lëndë SmugMug."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Trupëzoni lëndë SoundCloud."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Trupëzoni lëndë Speaker Deck."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Trupëzo lëndë Spotify."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Trupëzoni video Dailymotion."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Trupëzoni postim Facebook."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Trupëzoni rrjedhë Reddit."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Trupëzoni video TED."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Trupëzoni një video TikTok."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Trupëzoni postim Tumblr."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Trupëzoni video VideoPress."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Trupëzoni video Vimeo."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Trupëzoni postim WordPress."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Trupëzoni video WordPress.tv."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Trupëzoni video YouTube."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Trupëzoni një lojtës të thjeshtë audio."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Trupëzoni një mesazh Twitter."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Trupëzoni një video nga mediateka juaj ose ngarkoni një të re."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Trupëzoni video Animoto."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Trupëzoni postim Instagram."; - -/* translators: %s: filename. */ -"Embed of %s." = "Trupëzim i %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Trupëzim i kartelës PDF të përzgjedhur."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Lëndë e trupëzuar nga %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Lëndës së trupëzuar nga %s s’mund t’i bëhet paraparje te përpunuesi."; - -/* No comment provided by engineer. */ -"Embedding…" = "Po trupëzohet…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "E zbrazët"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL e Zbrazët"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Bllok i zbrazët; filloni të shkruani ose shtypni tastin pjerrake, që të zgjidhni një bllok"; - /* Button title for the enable site notifications action. */ "Enable" = "Aktivizoje"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Datë Përfundimi"; -/* No comment provided by engineer. */ -"English" = "Anglisht"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Kalo nën mënyrën “Sa Krejt Ekrani”"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Jepeni këtu URL-në…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Jepni këtu URL-në për trupëzim…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Jepni një fjalëkalim për mbrojtjen e këtij postimi"; -/* No comment provided by engineer. */ -"Enter address" = "Jepni adresë"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Jepni më sipër fjalë të ndryshme dhe do të kërkojmë për një adresë që ka të tilla."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Gabim në përditësim rregullimesh përshpejtimi sajti"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Veprimtari"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Eksploroni plane"; -/* No comment provided by engineer. */ -"Export" = "Eksporto"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Eksporto Lëndë"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Figura e Zgjedhur s’u ngarkua"; -/* No comment provided by engineer. */ -"February 21, 2019" = "21 shkurt, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Po sillen Temat…"; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Lloj kartele"; -/* No comment provided by engineer. */ -"Fill" = "Mbushje"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Plotësoje me përgjegjësin e fjalëkalimeve"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Emri"; -/* No comment provided by engineer. */ -"Five." = "Pesë."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Ndreqi Krejt"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Të zgjidhur"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Kutiza tabele me gjerësi të fiksuar"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Zgjidhje Kërcënimesh"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Futboll"; -/* No comment provided by engineer. */ -"Footer cell text" = "Tekst kuadrati fundfaqeje"; - -/* No comment provided by engineer. */ -"Footer label" = "Etiketë fundfaqeje"; - -/* No comment provided by engineer. */ -"Footer section" = "Ndarje fundfaqe"; - -/* No comment provided by engineer. */ -"Footers" = "Fundfaqe"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Që ta keni më të lehtë, kemi paraplotësuar të dhëna tuajat kontakti WordPress.com. Ju lutemi, shihini, për të qenë të sigurt se janë të dhënat e sakta që doni të përdoren për këtë përkatësi."; -/* No comment provided by engineer. */ -"Format settings" = "Rregullime formati"; - /* Next web page */ "Forward" = "Përpara"; -/* No comment provided by engineer. */ -"Four." = "Katër."; - /* Browse free themes selection title */ "Free" = "Falas"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Tekst përshkrimi galerie"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Titull galerie. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Lëre Fare"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Jepini tekstit të cituar një theksim pamor. “Duke cituar të tjerët, ne citojmë vetveten”. — Hulio Kortazar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Jepini theksim të veçantë pamor një citimi prej tekstit tuaj."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Jepini sajtit tuaj një emër që pasqyron personalitetin dhe subjektin e tij. Përshtypja e parë ka vlerë!"; -/* No comment provided by engineer. */ -"Global Styles" = "Stile Globalë"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "Lëndë HTML"; -/* No comment provided by engineer. */ -"HTML element" = "Element HTML"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Krye 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Krye 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Tekst kuadrati kryefaqeje"; - -/* No comment provided by engineer. */ -"Header label" = "Etiketë kryesh"; - -/* No comment provided by engineer. */ -"Header section" = "Ndarje krye"; - -/* No comment provided by engineer. */ -"Headers" = "Krye"; - -/* No comment provided by engineer. */ -"Heading" = "Krye"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Krye %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Titull 6"; -/* No comment provided by engineer. */ -"Heading text" = "Tekst kryesh"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Lartësi në piksel"; - /* Help button */ "Help" = "Ndihmë"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Ikonë ndihme"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Ndihmojini vizitorët të gjeni lëndë tuajën."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Ja se si ka ecur postimi deri tani."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Fshihe tastierën"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Fshihe copëzën në një faqe lënde të plotë"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Mbaje për Moderim"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Kreu"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Urra!\nPothuajse mbaruat"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontale"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Si e ndreqi Jetpack-u?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Nëse vazhdoni me Google apo Apple dhe s’keni ende një llogari WordPress.com, po krijoni një llogari dhe pajtoheni me _Kushtet tona të Shërbimit_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "Nëse keni dhënë një etiketë vetjake, do të vendoset para titullit."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Nëse e hiqni %1$@, ky përdorues s’do të jetë më në gjendje të hyjë në këtë sajt, por çfarëdo lënde që është krijuar prej %2$@ do të mbesë në sajt."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Madhësi Figure"; -/* No comment provided by engineer. */ -"Image caption text" = "Tekst përshkrimi figure"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Titull figure. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Rregullime figurash"; /* Hint for image title on image settings. */ -"Image title" = "Titull figure"; - -/* No comment provided by engineer. */ -"Image width" = "Gjerësi figure"; +"Image title" = "Titull figure"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Figurë, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Figurë, Datë & Titull"; - /* Undated post time label */ "Immediately" = "Menjëherë"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Shpjegoni, me pak fjalë, se për çfarë është ky sajt."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "Shpjegoni, me pak fjalë, se për çfarë është sajti juaj."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "Për sa i përket botimit, pavarësisht nga kriteret, motivet dhe synimet e botuesve, mund të themi se fjalët tona të urta radhiten ndërmjet atyre zhanreve folklorike që kanë pasur më shumë fat. Ato kanë tërhequr prej kohësh vëmendjen e folkloristëve, gjuhëtarëve, letrarëve dhe dijetarëve shqiptarë (edhe të huaj.)"; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "Duke cituar të tjerët, ne citojmë vetveten."; - /* Describes a status of a plugin */ "Inactive" = "Jo aktive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Emër përdoruesi ose fjalëkalim i pasaktë. Ju lutemi, provoni të rijepni hollësitë tuaja për hyrjen."; -/* No comment provided by engineer. */ -"Indent" = "Brendazi"; - -/* No comment provided by engineer. */ -"Indent list item" = "Zhvendose elementin e listës për brenda"; - /* Title for a threat */ "Infected core file" = "Kartelë bazë e infektuar"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Futni Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Futni një tabelë për të ndarë të dhëna."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Futni një tabelë — e përsosur për të ndarë me të tjerët grafikë dhe të dhëna."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Futni elementë vetjakë shtesë, përmes një kodi të shkurtër WordPress."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Futni një figurë për të lënë përshtypje."; - -/* No comment provided by engineer. */ -"Insert column after" = "Fut shtyllë pas"; - -/* No comment provided by engineer. */ -"Insert column before" = "Fut shtyllë para"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Futni media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Futni poezi. Përdorni formate speciale për hapësirat. Ose citoni vargje kënge."; - -/* No comment provided by engineer. */ -"Insert row after" = "Fut rresht pas"; - -/* No comment provided by engineer. */ -"Insert row before" = "Fut rresht para"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "U përzgjodh futës"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Instalimi i shtojcës së parë në sajtin tuaj mund të hajë deri në 1 minutë. Gjatë kësaj kohe, s’do të jeni në gjendje të bëni ndryshime në sajtin tuaj."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Përdorni ndarje të reja dhe sistemojeni lëndën tuaj për t’i ndihmuar vizitorët (dhe motorët e kërkimit) të kuptojnë strukturë e saj."; - /* Stories intro header title */ "Introducing Story Posts" = "Ju Paraqesim Postime Shkrimesh"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Të pjerrëta"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Muzikant Jazz-i"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Mbajeni të përditësuar funksionimin e sajtit tuaj."; -/* No comment provided by engineer. */ -"Kind" = "Lloj"; - /* Autoapprove only from known users */ "Known Users" = "Përdorues të Njohur"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etiketë"; -/* No comment provided by engineer. */ -"Landscape" = "Peizazh"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Gjuhë"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Etiketë gjuhe (en, fr, etj.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "E madhe"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Përmbledhje Postimesh Më të Reja"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Rregullime për komentet më të reja"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Mësoni Më Tepër"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Mësoni më tepër rreth formatimit të datave dhe kohës."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Mësoni më tepër rreth trupëzimeve"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Mësoni më tepër rreth rolesh"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Ikona të Dikurshme"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Widget i Dikurshëm"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Le T’ju Ndihmojmë"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Bëmani të ditur kur të mbarojë!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Nivel %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Nivel %s. E zbrazët."; - /* Title for the app appearance setting for light mode */ "Light" = "E çelët"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Lidhje Për Te"; -/* No comment provided by engineer. */ -"Link color" = "Ngjyrë lidhjesh"; - -/* No comment provided by engineer. */ -"Link label" = "Etiketë lidhjeje"; - -/* No comment provided by engineer. */ -"Link rel" = "Atribut “rel” lidhjeje"; - /* No comment provided by engineer. */ "Link to" = "Lidhje te"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Lidhje për te %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Lidhje për te lëndë ekzistuese"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Lidhje në komente"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Lidhje të shfaqura në një shtyllë."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Lidhje të shfaqura në një rresht."; - -/* No comment provided by engineer. */ -"List" = "Listë"; - -/* No comment provided by engineer. */ -"List of template parts" = "Listë pjesësh gjedheje"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Stil liste"; -/* No comment provided by engineer. */ -"List text" = "Tekst liste"; - /* Title of the screen that load selected the revisions. */ "Load" = "Ngarkoje"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Po ngarkohet…"; -/* No comment provided by engineer. */ -"Loading…" = "Po ngarkohet…"; - /* Status for Media object that is only exists locally. */ "Local" = "Vendor"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Hyni me emrin tuaj të përdoruesit dhe fjalëkalimin për te WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Dilni"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Të dilet nga WordPress-i?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Kërkesa Për Hyrje Skadoi"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Rregullime për hyrje\/dalje"; - -/* No comment provided by engineer. */ -"Logos Only" = "Vetëm Stema"; - /* No comment provided by engineer. */ "Logs" = "Regjistra"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Qerthull"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Humbët fjalëkalimin tuaj?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Lëvizjet Kryesore"; -/* No comment provided by engineer. */ -"Main color" = "Ngjyrë bazë"; - -/* No comment provided by engineer. */ -"Make template part" = "Krijoni pjesë gjedheje"; - -/* No comment provided by engineer. */ -"Make title a link" = "Bëje titullin një lidhje"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Përputhjet në llogari kërkoji sipas email-esh"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Madhësi Maksimum Ngarkimi Kartele"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Madhësi Maksimum Ngarkimi Videosh"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Numër maksimum fjalësh në copëz"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "7 maj 2009"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Paraparja e medias dështoi."; -/* No comment provided by engineer. */ -"Media settings" = "Rregullime për media"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media u ngarkua (%ld kartela)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Mbikëqyrni sa kohë ka sajti që punon"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Muaj"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Më tepër në WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "Më tepër mjete & mundësi"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Koha Më Popullore"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Ule poshtë"; -/* No comment provided by engineer. */ -"Move image backward" = "Shpjere figurën prapa"; - -/* No comment provided by engineer. */ -"Move image forward" = "Shpjere figurën përpara"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Lëvizni element menuje"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Muzikë"; -/* No comment provided by engineer. */ -"Muted" = "Pa zë"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Profili Im"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "Dhjetë Kafehanet e Mia Më të Mira"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Emër"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Shkon te pjesa për përshtatje gradienti"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Lëvizje (horizontalisht)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Lëvizje (vertikalisht)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Ju Duhet Ndihmë?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Fjalë e Re Liste Bllokimesh"; -/* No comment provided by engineer. */ -"New Column" = "Shtyllë e Re"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Ikona të Reja Vetjake Aplikacioni"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Postime të reja"; -/* No comment provided by engineer. */ -"New template part" = "Pjesë e re gjedheje"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Më të rinjtë"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Pasuesi"; -/* No comment provided by engineer. */ -"Next Page" = "Faqja Pasuese"; - /* Table view title for the quick start section. */ "Next Steps" = "Hapat Pasues"; /* Accessibility label for the next notification button */ "Next notification" = "Njoftimi pasues"; -/* No comment provided by engineer. */ -"Next page link" = "Lidhje për te faqja pasuese"; - /* Accessibility label */ "Next period" = "Periudha pasuese"; -/* No comment provided by engineer. */ -"Next post" = "Postimi pasues"; - /* Label for a cancel button */ "No" = "Jo"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Pa lidhje"; -/* No comment provided by engineer. */ -"No Date" = "Pa Datë"; - /* List Editor Empty State Message */ "No Items" = "S’ka Objekte"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Ende pa komente"; -/* No comment provided by engineer. */ -"No comments." = "Pa komente."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Pa postime."; -/* No comment provided by engineer. */ -"No preview available." = "S’ka paraparje gati."; - /* A message title */ "No recent posts" = "Pa postime së fundi"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "S’e shihni email-in? Shihni te dosja juaj Të padëshiruar ose Të pavlerë."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Shënim: Luajtja e vetvetishme e audios mund të shkaktojë probleme përdorimi për disa vizitorë."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Shënim: Luajtja e vetvetishme e videove mund të shkaktojë probleme përdorimi për disa vizitorë."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Shënim: Skema e shtyllave mund të jetë ndryshojë sipas temash dhe madhësish ekrani"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Shënim: Shumica e shfletuesve në telefona dhe tablete s’do të shfaqin PDF-ra të trupëzuara."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "S’u gjet gjë."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Numër"; -/* No comment provided by engineer. */ -"Number of comments" = "Numër komentesh"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Listë Me Numra"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Buton One Fjalëkalimesh"; -/* No comment provided by engineer. */ -"One column" = "Një shtyllë"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "Një nga gjërat më të zorshme në teknologji është të dalësh nga vetja."; - -/* No comment provided by engineer. */ -"One." = "Një."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Shihni vetëm statistikat më me peshë. Shtoni prirje sipas nevojave tuaja."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hëm!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Hap Menu Veprimesh Blloqesh"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Hap Rregullime Pajisjeje"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Hap WordPress-in"; -/* No comment provided by engineer. */ -"Open block navigation" = "Hap menunë e lëvizjes nëpër blloqe"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Hap zgjedhësin e medias të plotë"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Ose hyni _duke dhënë adresën e sajtit tuaj_."; -/* No comment provided by engineer. */ -"Ordered" = "E renditur"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Listë e Renditur"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Rregullime listash të renditura"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Ent"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Sajte të Tjerë"; -/* No comment provided by engineer. */ -"Outdent" = "Jashtazi"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Zhvendose elementin e listës për jashtë"; - -/* No comment provided by engineer. */ -"Outline" = "Përvijim"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "I anashkaluar"; -/* No comment provided by engineer. */ -"PDF embed" = "Trupëzim PDF"; - -/* No comment provided by engineer. */ -"PDF settings" = "Rregullime për PDF"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Faqe"; -/* No comment provided by engineer. */ -"Page Link" = "Lidhje Faqeje"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Faqja u Rikthye te Skicat"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Faqosje"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraf"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Bllok paragrafësh"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Kategori Mëmë"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Ngjitni URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Ngjitni një lidhje për te lënda që doni të shfaqet te sajti juaj."; +"Paste block after" = "Ngjite bllokun pas"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Ngjite pa Formatim"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Zgjidhni skemën e parapëlqyer për faqen tuaj hyrëse. Mund ta përpunoni dhe përshtatni më vonë."; -/* No comment provided by engineer. */ -"Pill Shape" = "Kokërr"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plane"; -/* No comment provided by engineer. */ -"Play inline" = "Luaje brendazi"; - /* User action to play a video on the editor. */ "Play video" = "Luaje videon"; -/* No comment provided by engineer. */ -"Playback controls" = "Kontrolle luajtjeje"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Ju lutemi, shtoni ca lëndë, përpara se të provoni të botoni."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Gjuhë popullore"; -/* No comment provided by engineer. */ -"Portrait" = "Portret"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Postim"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Kategori Postimesh"; -/* No comment provided by engineer. */ -"Post Comment" = "Postojeni Komentin"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Autor Komenti Postimi"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Lëndë Komenti Postimi"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Datë Komenti Postimesh"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Bllok Numri Komentesh Postimi: s’u gjet postim."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Formular Komentesh Postimi"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Bllok Formular Komentesh Postimi: komentet s’janë të passhëm për këtë lloj postimi."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Bllok Formular Komentesh Postimi: s’lejohen komente në këtë postim."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Bllok Lidhje Komentesh Postimi: s’u gjet postim."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format Postimesh"; -/* No comment provided by engineer. */ -"Post Link" = "Lidhje Postimi"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Postimi u Rikthye te Skicat"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Postim nga %1$@, prej %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Bllok komentesh postimi: s’u gjet postim."; - /* No comment provided by engineer. */ "Post content settings" = "Rregullime lënde postimi"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Postuar te %1$@, më %2$@, nga %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Figurë afishe"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Veprimtari Postimi"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Postime"; -/* No comment provided by engineer. */ -"Posts List" = "Listë Postimesh"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Faqe Postimesh"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Bazuar në Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Tekst i paraformatuar"; - /* No comment provided by engineer. */ "Preload" = "Parangarkoje"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Bëni një paraparje të sajtit tuaj që të shihni ç’do të shohin vizitorët tuaj."; -/* No comment provided by engineer. */ -"Previous Page" = "Faqja e Mëparshme"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Njoftimi i mëparshëm"; -/* No comment provided by engineer. */ -"Previous page link" = "Lidhje për te faqja e mëparshme"; - /* Accessibility label */ "Previous period" = "Periudha e mëparshme"; -/* No comment provided by engineer. */ -"Previous post" = "Postimi i mëparshëm"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Sajti Parësor"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekte"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Kërkojuni vizitorëve të ndërmarrin një veprim, përmes një lidhje në stil butoni."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Kërkojuni vizitorëve të ndërmarrin një veprim, përmes një grupi lidhjesh në stil butoni."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Lloji i dhënë i postimeve nuk mbulohet."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publik"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Po botohet…"; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Tekst citimi të nxjerrë në pah"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Tekst citimi"; - /* Title of screen showing site purchases */ "Purchases" = "Blerje"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Njoftimet push janë çaktivizuar te rregullimet e iOS-it. Që t’i lejoni sërish, kaloni nën “Lejo Njoftime”."; -/* No comment provided by engineer. */ -"Query Title" = "Titull Kërkese"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Nisje e Shpejtë"; -/* No comment provided by engineer. */ -"Quote citation text" = "Tekst citimi"; - -/* No comment provided by engineer. */ -"Quote text" = "Tekst citimi"; - -/* No comment provided by engineer. */ -"RSS settings" = "Rregullime RSS-je"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Vlerësonani në App Store"; /* No comment provided by engineer. */ "Read more" = "Lexoni më tepër"; -/* No comment provided by engineer. */ -"Read more link text" = "Tekst lidhjeje “Lexoni më tepër”"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Lexoni më poshtë"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "I rilidhur"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Ridrejtoje te URL-ja e tanishme"; - /* Label for link title in Referrers stat. */ "Referrer" = "Referues"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Postimet e Afërta shfaqin nën postime tuajat lëndë të afërt prej sajtit tuaj"; -/* No comment provided by engineer. */ -"Release Date" = "Datë Hedhjeje Në Qarkullim"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Hiqe këtë postim nga postimet e mi të ruajtur."; -/* No comment provided by engineer. */ -"Remove track" = "Hiqe pjesën"; - /* User action to remove video. */ "Remove video" = "Hiqni videon"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ripërmasojeni & Qetheni"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Ripërmasoje për pajisje më të vogla"; - /* The largest resolution allowed for uploading */ "Resolution" = "Qartësi"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Riktheje sajtin"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Riktheje gjedhen te tema parazgjedhje"; - /* Button title for restore site action */ "Restore to this point" = "Riktheje te kjo pikë"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Blloqet e ripërdorshëm s’janë të përpunueshëm në WordPress për iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Numërim liste së prapthi"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Prapëso Ndryshimin Pezull"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rol"; -/* No comment provided by engineer. */ -"Rotate" = "Rrotulloje"; - -/* No comment provided by engineer. */ -"Row count" = "Numër rreshti"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "U dërgua Me SMS"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Përzgjidhni stil paragrafi"; -/* No comment provided by engineer. */ -"Select poster image" = "Përzgjidhni figurë afishe"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Përzgjidhni %@ që të shtoni llogari tuajat prej mediash shoqërore"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Dërgo njoftime push"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Ndajeni lëndën tuaj sipas një trajte shumë faqesh."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Shërbeni figura që nga shërbyesit tanë"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Caktojeni Faqe Postimesh"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Vini krah për krah media dhe fjalë, për një skemë më të larmishme."; - /* The Jetpack view button title for the success state */ "Set up" = "U ujdis"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Kod i shkurtër"; -/* No comment provided by engineer. */ -"Shortcode text" = "Tekst kodi të shkurtër"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Shfaq Kryet"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Shfaq buton shkarkimesh"; -/* No comment provided by engineer. */ -"Show inline embed" = "Shfaq trupëzim brendazi"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Shfaqni lidhje hyrjeje & daljeje."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Shfaqe fjalëkalimin"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Shfaq lëndë postimi"; -/* No comment provided by engineer. */ -"Show post counts" = "Shfaq numërim postimesh"; - /* translators: Checkbox toggle label */ "Show section" = "Shfaq ndarje"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Shfaqje vetëm të postimeve të mia"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Shfaqje shkronje fillestare të madhe."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Po shfaqen statistika për:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shfaq postimet e sajtit."; -/* No comment provided by engineer. */ -"Sidebars" = "Anështylla"; - /* View title during the sign up process. */ "Sign Up" = "Regjistrohuni"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Gjuhë Sajti"; -/* No comment provided by engineer. */ -"Site Logo" = "Stemë Sajti"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Siguri dhe funksionim sajti\nqë nga xhepi"; -/* No comment provided by engineer. */ -"Site tagline text" = "Tekst motoje sajti"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Zonë kohore e sajtit (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Titulli i sajtit u ndryshua me sukses"; -/* No comment provided by engineer. */ -"Site title text" = "Tekst titulli sajti"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Sajte"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sajte për t’u ndjekur"; -/* No comment provided by engineer. */ -"Six." = "Gjashtë."; - /* Image size option title. */ "Size" = "Madhësi"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Shoqërore"; -/* No comment provided by engineer. */ -"Social Icon" = "Ikonë Shoqërorësh"; - -/* No comment provided by engineer. */ -"Solid color" = "Ngjyrë e plotë"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Ngarkimi i disa mediave dështoi. Ky veprim do të sjellë heqjen nga postimi të krejt mediave që dështuan.\nTë ruhet, sido qoftë?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Na ndjeni, ai emër përdoruesi s’është i passhëm."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Na ndjeni, kjo lëndë s’u trupëzua dot."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Na ndjeni, emrat e përdoruesve mund të përmbajnë vetëm shkronja të vogla (a-z) dhe numra."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Kod Burim"; -/* No comment provided by engineer. */ -"Source language" = "Gjuhë burimi"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Jug"; /* Label for showing the available disk space quota available for media */ "Space used" = "Hapësirë e përdorur"; -/* No comment provided by engineer. */ -"Spacer settings" = "Rregullime ndarësi"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Përshpejtoni funksionimin e sajtit tuaj"; -/* No comment provided by engineer. */ -"Square" = "Katror"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Fillojani Nga e Para"; -/* No comment provided by engineer. */ -"Start value" = "Vlerë fillimi"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Fillojani me bllokun themelor të krejt rrëfimit."; - /* No comment provided by engineer. */ "Start writing…" = "Nisni të shkruani…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Hequrvije"; -/* No comment provided by engineer. */ -"Stripes" = "Shirita"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Po parashtrohet për Shqyrtim…"; -/* No comment provided by engineer. */ -"Subtitles" = "Titra"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Treguesi i projektorit u hoq me sukses"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Asistencë"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Këmbe Sajt"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Parazgjedhje sistemi"; -/* No comment provided by engineer. */ -"Table" = "Tabelë"; - -/* No comment provided by engineer. */ -"Table caption text" = "Tekst përshkrimi tabele"; - /* No comment provided by engineer. */ "Table of Contents" = "Tryeza e Lëndës"; -/* No comment provided by engineer. */ -"Table settings" = "Rregullime tabelash"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabelë që shfaqe %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiketë"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Rregullime Reje Etiketash"; - -/* No comment provided by engineer. */ -"Tag Link" = "Lidhje Etikete"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Ka tashmë një etiketë të tillë"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tregonani se ç’lloj sajti do të donit të bënit"; -/* No comment provided by engineer. */ -"Template Part" = "Pjesë Gjedheje"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "U fut Pjesë Gjedheje \"%s\"."; - -/* No comment provided by engineer. */ -"Template Parts" = "Pjesë Gjedheje"; - -/* No comment provided by engineer. */ -"Template part created." = "U krijua pjesë gjedheje."; - -/* No comment provided by engineer. */ -"Templates" = "Gjedhe"; - -/* No comment provided by engineer. */ -"Term description." = "Përshkrim termi."; - /* The underlined title sentence */ "Terms and Conditions" = "Terma dhe Kushte"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Vetëm Tekst"; -/* No comment provided by engineer. */ -"Text link settings" = "Rregullime lidhjesh tekst"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Më mirë më dërgoni kod me tekst"; -/* No comment provided by engineer. */ -"Text settings" = "Rregullime teksti"; - -/* No comment provided by engineer. */ -"Text tracks" = "Pjesë tekst"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Faleminderit që zgjodhët %1$@ nga %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Dëshmia për këtë shërbyes është e pavlefshme. Mund të jeni duke u lidhur te një shërbyes që pretendon të jetë “%@”, gjë që do t’i vinte në rrezik të dhënat tuaja rezervat.\n\nDo të donit të besohej kjo dëshmi, sido që të jetë?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "URL-ja e figurës së tanishme afishe është %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "Copëza është e fshehur."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "Copëza është e dukshme."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Kartela %1$@ përmban rregullsi kodi dashakeq"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoja s’u shtua dot te Mediateka."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "Cinxamiu
e nxjerr bukën e gojës
pa zhurmë e bujë."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema u Aktivizua"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Pati një problem me lidhjen te %@. Rilidhuni që të vazhdohet publicizimi."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "S’ka të përzgjedhur figurë afisheje"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Që të mund të shtojë foto dhe\/ose video në postimet tuaja, ky aplikacion lyp leje hyrjeje në mediatekën e pajisjes tuaj. Nëse doni ta lejoni këtë, ju lutemi, ndryshoni rregullimet mbi privatësinë."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "Ky bllok është nxjerrë nga përdorimi. Në vend të tij, ju lutemi, përdorni bllokun Shtylla."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "Vlera e kësaj shtylle tejkalon madhësinë e rekomanduar dhe mund të shkaktojë dëmtim të pamjes."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Kjo përkatësi s’është e lirë"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Kërcënimi u shpërfill."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Tre shtylla; ndarje e barabartë"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Tre shtylla; shtyllë e gjerë në qendër"; - -/* No comment provided by engineer. */ -"Three." = "Tre."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniaturë"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Titull"; -/* No comment provided by engineer. */ -"Title & Date" = "Titull & Datë"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Titull & Copëz"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Titulli është i detyrueshëm për një kategori."; -/* No comment provided by engineer. */ -"Title of track" = "Titull pjese"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Titull, Datë & Copëz"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Që të shtohen foto ose video te postimet tuaja."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Që të vazhdohet me këtë llogari Google, ju lutemi, së pari bëni hyrjen me fjalëkalimin tuaj për te WordPress.com. Kjo do t’ju kërkohet vetëm një herë."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "Që të shfaqet një koment, jepni ID-në e komentit."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Që të bëjë foto ose video për t’u përdorur te postimet tuaja."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Shfaq\/Fshih Burimin HTML "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Shfaq\/Fshih menu lëvizjesh"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Klikojeni që të shfaqet një shkronjë fillestare e madhe."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Aktivizon\/Çaktivizon stilin Listë e Renditur"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Fjalë Gjithsej"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Pjesët mund të jenë titra, tituj, kapituj ose përshkrime. Ato ndihmojnë për ta bërë lëndën tuaj më të përdorshme për një gamë të gjerë përdoruesish."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Shndërroje %s në"; + +/* No comment provided by engineer. */ +"Transform block…" = "Shndërro bllokun…"; + /* No comment provided by engineer. */ "Translate" = "Përkthejeni"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Emër përdoruesi Twitter"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Dy shtylla; ndarje e barabartë"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Dy shtylla; ndarje një të tretë; dy të treta"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Dy shtylla; ndarje dy të treta, një të tretë"; - -/* No comment provided by engineer. */ -"Two." = "Dy."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Për më tepër ide, shtypni një fjalëkyç"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Sajt i Paemër"; -/* No comment provided by engineer. */ -"Unordered" = "E parenditur"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Listë e Parenditur"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Pa titull"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Pjesë Pa Emër e Gjedhes"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Ruhen regjistrime deri për shtatë ditë."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Ngarkoni Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Ngarkoni një kartelë ose zgjidhni një nga mediateka juaj."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Ngarkoni një ikonë sajti"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Ngarkoni një figurë, ose zgjidhni një që nga mediateka juaj, për të qenë stema e sajtit tuaj."; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Ngarkimi dështoi"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Përdor Vendin e Tanishëm"; -/* No comment provided by engineer. */ -"Use URL" = "Përdore URL-në"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Përdorni përpunuesin me blloqe"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Përdor përpunuesin klasik WordPress."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Përdoreni këtë lidhje për hapat e mirëseardhjes për anëtarët e ekipit tuaj, pa u dashur t’i ftoni tek e tek. Gjithkush që viziton këtë URL, do të jetë në gjendje të regjistrohet në entin tuaj, madje edhe nëse lidhjen e marrin nga dikush tjetër, ndaj sigurohuni se ua jepni personave të besuar."; /* No comment provided by engineer. */ "Use this site" = "Përdor këtë sajt"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "E dobishme për të shfaqur një shenjë, skemë ose simbol grafik, që përfaqëson sajtin. Pasi të caktohet një stemë sajti, mund të ripërdoret në vende dhe gjedhe të ndryshme. S’duhet ngatërruar me ikonën e sajtit, e cila është një figurë e vockël e përdorur te pulit, skeda shfletuesish, përfundime kërkimesh publike, etj, për të ndihmuar të dallohet një sajt."; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verifikoni adresën tuaj email - udhëzimet u dërguan te %@"; -/* No comment provided by engineer. */ -"Verse text" = "Tekst vargu"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Është gati versioni %@"; -/* No comment provided by engineer. */ -"Vertical" = "Vertikalisht"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Paraparje Videoje Ende Jo Gati"; -/* No comment provided by engineer. */ -"Video caption text" = "Tekst videoje"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Legjendë videoje. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Parës"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Lartësi skene pamjeje (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Temë %1$@ e Cenueshme (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "Udhës me zor gjarpëronin të lodhur\nPa pritur gjë nga nata dhe i ftohti\nShpresat pas shumë herët kishin lënë\nDhe nuk besonin më as dhe te Zoti\nTë mundur, të harruar dhe drejt fundit\nHije të vetmuara të asgjëkundit."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "Përgjegjës WP-je"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Mirë se vini te Lexuesi"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Mirë se vini në botën e mrekullueshme të blloqeve…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Mirë se vini te krijuesi më popullor në botë i sajteve."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Hëm, ky s’është kod i vlefshëm mirëfilltësimi dyfaktorësh. Kontrolloni sërish kodin tuaj dhe riprovoni!"; -/* No comment provided by engineer. */ -"Wide Line" = "Vijë e Gjerë"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widget-e"; -/* No comment provided by engineer. */ -"Width in pixels" = "Gjerësi në piksel"; - /* Help text when editing email address */ "Will not be publicly displayed." = "S’do të shfaqet botërisht."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Me fuqinë e përpunuesit mund të postoni kudo që ndodheni."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Tushë pylli që këndon në Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "Rregullime Aplikacioni WordPress"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Shkruani kod…"; -/* No comment provided by engineer. */ -"Write file name…" = "Shkruani emër kartele…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Shkruani titull galerie…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Shkruani tekst të paraformatuar…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Shkruani këtu kod të shkurtë…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Shkruani moto sajti…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Shkruani titull sajti…"; - -/* No comment provided by engineer. */ -"Write title…" = "Shkruani një titull…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Shkruani vargje…"; - /* Title for the writing section in site settings screen */ "Writing" = "Shkrim"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Adresa e sajtit tuaj shfaqet te shtylla në krye të skenës, kur vizitoni sajtin tuaj nën Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Sajti juaj nuk përmban mbulim për bllokun \"%s\". Këtë bllok mund ta lini të paprekur ose ta hiqni fare."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Sajti juaj nuk përmban mbulim për bllokun \"%s\". Këtë bllok mund ta lini të paprekur, ta shndërroni në një bllok HTML-je Vetjake, ose ta hiqni fare."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Sajti juaj nuk përmban mbulim për këtë bllok."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Sajti juaj u krijua!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Për postime të reja tanimë po përdorni përpunuesin me blloqe — bukur! Nëse do të donit ta ndryshonit me përpunuesin klasik, shkoni te ‘Sajti Im’ > ‘Rregullime Sajti’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[KOMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "një orë"; -/* No comment provided by engineer. */ -"archive" = "arkiv"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "bllok citimi"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "listë me toptha"; - /* Used when displaying author of a plugin. */ "by %@" = "nga %@"; -/* No comment provided by engineer. */ -"cite" = "citoni"; - /* The menu item to select during a guided tour. */ "connections" = "lidhje"; -/* No comment provided by engineer. */ -"container" = "kontejner"; - -/* No comment provided by engineer. */ -"description" = "përshkrim"; - -/* No comment provided by engineer. */ -"divider" = "ndarës"; - -/* No comment provided by engineer. */ -"document" = "dokument"; - /* No comment provided by engineer. */ "document outline" = "përvijim dokumenti"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "Që të ndryshoni njësinë, prekeni dy herë"; -/* No comment provided by engineer. */ -"download" = "shkarkim"; - -/* No comment provided by engineer. */ -"ebook" = "elibër"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "p.sh., 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "p.sh., 44"; -/* No comment provided by engineer. */ -"embed" = "trupëzim"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "prurje"; - -/* No comment provided by engineer. */ -"find" = "gjej"; - /* Noun. Describes a site's follower. */ "follower" = "ndjekës"; -/* No comment provided by engineer. */ -"form" = "formular"; - -/* No comment provided by engineer. */ -"horizontal-line" = "vijë horizontale"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/adresa-e-sajtit-tim (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "figurë"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "figura %1$d nga %2$d në galeri"; -/* No comment provided by engineer. */ -"images" = "figura"; - /* Text for related post cell preview */ "in \"Apps\"" = "te “Aplikacione”"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "më vonë, sot"; -/* No comment provided by engineer. */ -"link" = "lidhje"; - -/* No comment provided by engineer. */ -"links" = "lidhje"; - -/* No comment provided by engineer. */ -"login" = "hyrje"; - -/* No comment provided by engineer. */ -"logout" = "dalje"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "film"; - -/* No comment provided by engineer. */ -"music" = "muzikë"; - -/* No comment provided by engineer. */ -"navigation" = "lëvizje"; - -/* No comment provided by engineer. */ -"next page" = "faqja pasuese"; - -/* No comment provided by engineer. */ -"numbered list" = "listë me numra"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "nga"; -/* No comment provided by engineer. */ -"ordered list" = "listë e renditur"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "tjetër"; -/* No comment provided by engineer. */ -"pagination" = "faqosje"; - /* No comment provided by engineer. */ "password" = "fjalëkalim"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "numër telefoni"; -/* No comment provided by engineer. */ -"photos" = "foto"; - -/* No comment provided by engineer. */ -"picture" = "foto"; - -/* No comment provided by engineer. */ -"podcast" = "podkast"; - -/* No comment provided by engineer. */ -"poem" = "poemë"; - -/* No comment provided by engineer. */ -"poetry" = "poezi"; - -/* No comment provided by engineer. */ -"post" = "postim"; - -/* No comment provided by engineer. */ -"posts" = "postime"; - -/* No comment provided by engineer. */ -"read more" = "lexoni më tepër"; - -/* No comment provided by engineer. */ -"recent comments" = "komente së fundi"; - -/* No comment provided by engineer. */ -"recent posts" = "postime së fundi"; - -/* No comment provided by engineer. */ -"recording" = "incizim"; - -/* No comment provided by engineer. */ -"row" = "rresht"; - -/* No comment provided by engineer. */ -"section" = "ndarje"; - -/* No comment provided by engineer. */ -"social" = "shoqëror"; - -/* No comment provided by engineer. */ -"sound" = "tingull"; - -/* No comment provided by engineer. */ -"subtitle" = "nëntitull"; - /* No comment provided by engineer. */ "summary" = "përmbledhje"; -/* No comment provided by engineer. */ -"survey" = "pyetësor"; - -/* No comment provided by engineer. */ -"text" = "tekst"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "këto objekte do të fshihen:"; -/* No comment provided by engineer. */ -"title" = "titull"; - /* Today */ "today" = "sot"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sajte, sajt, blogje, blog"; -/* No comment provided by engineer. */ -"wrapper" = "mbështjellëse"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "përkatësia juaj e re %@ po rregullohet. Sajti juaj po bën kollotumba në ajër nga gëzimi!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Përkatësi"; diff --git a/WordPress/Resources/sv.lproj/Localizable.strings b/WordPress/Resources/sv.lproj/Localizable.strings index cd55439d1931..a5dd1f054dbf 100644 --- a/WordPress/Resources/sv.lproj/Localizable.strings +++ b/WordPress/Resources/sv.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-05-06 09:54:48+0000 */ +/* Translation-Revision-Date: 2021-05-08 15:17:27+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: sv_SE */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d ej visade inlägg"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d av %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s omvandat till %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s är %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li ord, %2$li tecken"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "Inställningar för blocket %s"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "Block av typen %s. Tomt"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "Block av typen %s. Detta block har ogiltigt innehåll"; -/* translators: %s: Number of comments */ -"%s comment" = "%s kommentar"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "”%s” stöds inte fullt ut"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adressrad %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 ukast för inlägg har laddats upp"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potentiellt hot hittat"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25\/50\/25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30\/70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33\/33\/33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50\/50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70\/30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 timme"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Knappen ”mer” innehåller en rullgardinsmeny som visar delningsknappar"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "Ett moln av dina mest använda etiketter."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "En utvald bild är angiven. Tryck för att byta."; /* Title for a threat */ "A file contains a malicious code pattern" = "En fil innehåller ett skadligt kodmönster"; -/* No comment provided by engineer. */ -"A link to a category." = "En länk till en kategori."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "En länk till en anpassad URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "En länk till en sida."; - -/* No comment provided by engineer. */ -"A link to a post." = "En länk till ett inlägg."; - -/* No comment provided by engineer. */ -"A link to a tag." = "En länk till en etikett."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "En lista med webbplatser på detta konto."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "En serie steg för att hjälpa dig öka din webbplats målgrupp."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "Det finns redan en etikett med namnet ”%@”."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Om"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Lägg till nytt kort med statistik"; -/* No comment provided by engineer. */ -"Add Template" = "Lägg till mall"; - /* No comment provided by engineer. */ "Add To Beginning" = "Lägg till först"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Lägg till ett ämne"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Lägg till en anpassad CSS-URL här som ska hämtas i läsaren. Om du kör Calypso lokalt kan länken se ut ungefär så här: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Lägg till en länk till en nedladdningsbar fil."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Lägg till en webbplats på webbhotell\/egen server"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "Lägg till alt-text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Lägg till något ämne"; /* No comment provided by engineer. */ "Add caption" = "Lägg till bildtext"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Lägg till en bild eller profilbild för att representera detta nya konto."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Lägg till ett block med ett textstycke"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Lägg till citat"; - /* Add self-hosted site button */ "Add self-hosted site" = "Lägg till webbplats på egen server"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Lägg till etiketter"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Lägg till text …"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Lägg till författaren till det här inlägget."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Lägg till datumet för det här inlägget."; - /* No comment provided by engineer. */ "Add this email link" = "Länka till denna e-postadress"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Länka till detta telefonnummer"; -/* No comment provided by engineer. */ -"Add tracks" = "Lägg till spår"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Lägger till olika webbplatsfunktioner"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Album"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Justering"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Ett fel uppstod."; -/* No comment provided by engineer. */ -"An example title" = "En exempelrubrik"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Ett okänt fel har inträffatt. Försök igen."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Godkänner kommentaren."; -/* No comment provided by engineer. */ -"Archive Title" = "Arkivrubrik"; - -/* No comment provided by engineer. */ -"Archive title" = "Arkivrubrik"; - -/* No comment provided by engineer. */ -"Archives settings" = "Arkivinställningar"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Är det säkert att du vill avbryta och slänga ändringar?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Är du säker på att du vill uppdatera?"; -/* No comment provided by engineer. */ -"Area" = "Område"; - /* An example tag used in the login prologue screens. */ "Art" = "Konst"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Från 1 augusti 2018 tillåter inte längre Facebook direktdelning av inlägg till Facebook-profiler. Anslutningar till Facebook-sidor fungerar som tidigare."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Bildförhållande"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Bifoga filen som en länk"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "Sida för bilaga"; /* No comment provided by engineer. */ "Audio Player" = "Ljudspelare"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Beskrivning för ljudfil. %s"; @@ -1078,7 +923,16 @@ "Block Quote" = "Citatblock"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "Block kan inte visas inuti sig självt."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blocket kopierat"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blocket har klippts ut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blocket har duplicerats"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blockredigeraren är aktiverad"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Blockera obehöriga inloggningsförsök"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blocket har klistrats in"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blocket har tagits bort"; + +/* No comment provided by engineer. */ +"Block settings" = "Blockinställningar"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Blockera denna webbplats"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Bloggens tittare"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Fetstil"; -/* No comment provided by engineer. */ -"Border" = "Ram"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Dela upp kommentarstrådar i flera sidor."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Bläddra bland alla teman för att hitta det som passar dig perfekt."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "Standardinställning för webbläsare"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Skydd mot brute force-attacker"; @@ -1159,10 +1007,7 @@ "Button Style" = "Knappstil"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Knappar visade i en rad."; +"ButtonGroup" = "Knappgrupp"; /* Label for the post author in the post detail. */ "By " = "av"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Beräknar..."; -/* No comment provided by engineer. */ -"Call to Action" = "Uppmaning till åtgärd"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Bildtext"; -/* No comment provided by engineer. */ -"Captions" = "Bildtexter"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Var försiktig!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Kategorilänk"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategorirubrik saknas."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Certifikat-fel"; -/* No comment provided by engineer. */ -"Change Date" = "Ändra datum"; - /* Account Settings Change password label Main title */ "Change Password" = "Ändra lösenord"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "Ändra blockets position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Ändra kolumnens justering"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Förändringen misslyckades"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "Ändra rubriknivå"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ändra typen av enhet som används för förhandsgranskning"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Ändrar användarnamn"; -/* No comment provided by engineer. */ -"Chapters" = "Kapitel"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Fel vid kontroll av inköp"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Välj domän"; -/* No comment provided by engineer. */ -"Choose existing" = "Välj befintlig"; - /* No comment provided by engineer. */ "Choose file" = "Välj fil"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Rensa alla gamla aktivitetsloggar?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Rensa anpassningar"; - /* No comment provided by engineer. */ "Clear search" = "Rensa sökning"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Stäng kommentarer"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Stäng sidopanelen för globala stilar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Stäng vyn om mig"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kod"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Kod är poesi"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Minimerat, %i utförda uppgifter, lägesväxling expanderar listan med dessa uppgifter"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Färgrika bakgrunder"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Kolumnantal"; - -/* No comment provided by engineer. */ -"Column settings" = "Kolumninställningar"; - -/* No comment provided by engineer. */ -"Columns" = "Kolumner"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Kombinera flera block till en grupp."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Kombinera foton, videoklipp och text för att skapa engagerande och smidiga berättelseinlägg som dina besökare kommer att älska."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Anslutningar"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "Kontakta oss"; - /* Support email label. */ "Contact Email" = "E-post för kontakt"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Kontakta supporten"; -/* No comment provided by engineer. */ -"Contact us" = "Kontakta oss"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Kontakta oss på %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Innehållsstruktur\nBlock: %1$li, Ord: %2$li, Tecken: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Innehåll före detta block kommer att visas i utdraget på dina arkivsidor."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Fortsätter med Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Konvertera till block"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Matlagning"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Kopierade URL till urklipp."; - /* No comment provided by engineer. */ "Copied block" = "Blocket kopierat"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Kopiera länk till kommentaren"; /* No comment provided by engineer. */ -"Copy URL" = "Kopiera URL"; +"Copy block" = "Kopiera block"; /* No comment provided by engineer. */ "Copy file URL" = "Kopiera filens URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Kunde in te kontrollera webbplatsens inköp."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Kunde inte redigera bild. %s"; - /* Title of a prompt. */ "Could not follow site" = "Det gick inte att följa webbplatsen"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Skapa ett berättelseinlägg"; -/* No comment provided by engineer. */ -"Create Table" = "Skapa tabell"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "Skapa en webbplats på WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Skapa en etikett"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Skapa en avgränsning mellan olika idéer eller sektioner med hjälp av en horisontell avgränsare."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Skapa en punktlista eller en numrerad lista."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Skapa en ny webbplats"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Skapa en ny webbplats för ditt företag, din tidskrift eller personliga blogg eller anslut en befintlig WordPress-installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Skapa en ny malldel eller välj en befintlig från listan."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Skapa ett inlägg eller en sida"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Skapa ett inlägg, en sida eller en berättelse"; -/* No comment provided by engineer. */ -"Create a template part" = "Skapa en malldel"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Skapa och spara innehåll för återanvändning på olika platser på din webbplats. Om blocket uppdateras kommer ändringarna att tillämpas överallt där det används."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Skapa nedladdningsbar säkerhetskopia"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Återställer för närvarande: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Anpassad länk"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Anpassat meddelande …"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Anpassa din webbplats inställningar för Gillar, Kommentarer, Följare och mer"; +/* No comment provided by engineer. */ +"Cut block" = "Klipp ut blocket"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Mörk"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "6 december 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Standard"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Standard-URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Standard för nya inlägg"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Radera webbplats-fel"; -/* No comment provided by engineer. */ -"Delete column" = "Ta bort kolumn"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Ta bort meny"; -/* No comment provided by engineer. */ -"Delete row" = "Ta bort rad"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Ta bort etiketten"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Beskrivning"; -/* No comment provided by engineer. */ -"Descriptions" = "Beskrivningar"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Stationär dator"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Lossa block från malldelen"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaljer"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "Visningsnamn"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Visa en lista över alla kategorier."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Visa en lista över alla sidor."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Visa ett inläggs utdrag."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Visa ett inläggs utvalda bild."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Visa som rullgardinsmeny"; - -/* No comment provided by engineer. */ -"Display author" = "Visa författare"; - -/* No comment provided by engineer. */ -"Display avatar" = "Visa profilbild"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Visa datum"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Visa utdrag"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Visa inloggning som formulär"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Visa flera bilder i ett fullödigt galleri."; - /* No comment provided by engineer. */ "Display post date" = "Visa inläggsdatum"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Visa beskrivningen av kategorier, etiketter och anpassade taxonomier när ett arkiv visas."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Visa rubriken som en länk"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Visa din sammanlagda statistik här. Konfigurera i WordPress-appen under din statistik."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Visa dagens webbplatsstatistik här. Konfigurera i WordPress-appen under statistiken för webbplatsen."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Visar en lista med inlägg som ett resultat på en sökning."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Visar en sidnumrerad navigering till nästa\/föregående uppsättning inlägg, om tillämpligt."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Visar och tillåter redigering av webbplatsens namn. Webbplatsens rubrik visas vanligtvis i webbläsarens titelfält, i sökresultat och på fler ställen. Finns även under Inställningar > Allmänt."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Visar innehållet av ett inlägg eller sida."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Visar länken för det nuvarande inläggets kommentarer."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Visar nästa eller föregående inläggslänk som ligger intill det nuvarande inlägget."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Visar länk till nästa sida för inlägg."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Visar inläggslänken som kommer efter det nuvarande inlägget."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Visar inläggslänken som föregår det nuvarande inlägget."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Visar länk till föregående sida för inlägg."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Visar rubriken för inlägg, sida eller någon annan typ av innehåll."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Dokument: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Du behöver inte oroa dig inte för någonting"; -/* No comment provided by engineer. */ -"Dots" = "Punkter"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Dubbeltryck och håll nedtryckt för att flytta detta menyobjekt uppåt eller nedåt"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Dubbeltryck för att öppna åtgärdsbladet där du kan redigera, ersätta eller ta bort bilden"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Dubbeltryck för att öppna åtgärdsbladet med tillgängliga alternativ"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Dubbeltryck för att öppna nedre bladet där du kan redigera, ersätta eller ta bort bilden"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Dubbeltryck för att öppna det nedre arket med tillgänliga alternativ"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Dubbeltryck för att göra om senaste ändring"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Ladda ned säkerhetskopia"; -/* No comment provided by engineer. */ -"Download button settings" = "Inställningar för nedladdningsknapp"; - -/* No comment provided by engineer. */ -"Download button text" = "Text för knappen ”Ladda ner”"; - /* Title for the button that will download the backup file. */ "Download file" = "Ladda ned fil"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Ladda ner dina mallar och malldelar."; - /* Label for number of file downloads. */ "Downloads" = "Nedladdningar"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Utkast"; -/* No comment provided by engineer. */ -"Drop cap" = "Anfang"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicera"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicera block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Öster"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Redigera %@-blocket"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Redigera %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Redigera ord i blockeringslistan"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Redigera inlägg"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Redigera URL"; - /* No comment provided by engineer. */ "Edit file" = "Redigera fil"; /* No comment provided by engineer. */ "Edit focal point" = "Ändra plats i fokus"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Redigera galleribild"; - /* No comment provided by engineer. */ "Edit image" = "Redigera bild"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Redigera delningsknappar"; -/* No comment provided by engineer. */ -"Edit table" = "Redigera tabell"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Redigera inlägget först"; -/* No comment provided by engineer. */ -"Edit track" = "Redigera spår"; - /* No comment provided by engineer. */ "Edit using web editor" = "Redigera i webbredigeraren"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-postmeddelande skickat!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Bädda in innehåll från Amazon Kindle."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Bädda in innehåll från Cloudup."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Bädda in innehåll från CollegeHumor."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Bädda in innehåll från Crowdsignal (f.d. Polldaddy)."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Bädda in innehåll från Flickr."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Bädda in innehåll från Imgur."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Bädda in innehåll från Issuu."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Bädda in innehåll från Kickstarter."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Bädda in innehåll från Meetup.com."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Bädda in innehåll från Mixcloud."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Bädda in innehåll från ReverbNation."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Bädda in innehåll från Screencast."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Bädda in innehåll från Scribd."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Bädda in innehåll från Slideshare."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Bädda in innehåll från SmugMug."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Bädda in innehåll från SoundCloud."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Bädda in innehåll från Speaker Deck."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Bädda in innehåll från Spotify."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Bädda in ett inlägg från Facebook."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Bädda in en tråd från Reddit."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Bädda in ett inlägg från Tumblr."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Bädda in ett inlägg från WordPress."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Bädda in ett videoklipp från YouTube."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Bädda in en enkel ljudspelare."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Bädda in ett inlägg från Instagram."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Inbäddat innehåll från %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Inbäddat innehåll från %s kan inte förhandsgranskas i redigeraren."; - -/* No comment provided by engineer. */ -"Embedding…" = "Bäddar in …"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Tomt"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL ej angiven"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Tomt block. Börja skriva eller tryck på snedstreck för att välja ett block"; - /* Button title for the enable site notifications action. */ "Enable" = "Aktivera"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Slutdatum"; -/* No comment provided by engineer. */ -"English" = "Engelska"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Starta fullskärmsläge"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Ange URL här …"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Ange URL att bädda in här …"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Ange ett lösenord för att skydda detta inlägg"; -/* No comment provided by engineer. */ -"Enter address" = "Ange adress"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Skriv in olika ord ovan så letar vi efter en adress som matchar dem."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Ange dina serverautentiseringsuppgifter för att möjliggöra återställning av din webbplats med ett klick från säkerhetskopior."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Ange inloggningsuppgifterna till din server för att avhjälpa hotet."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Ange inloggningsuppgifterna till din server för att avhjälpa hot."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Ett fel inträffade när inställningarna för snabbare webbplats skulle uppdateras"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Händelse"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Utforska prispaketen"; -/* No comment provided by engineer. */ -"Export" = "Exportera"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Exportera innehåll"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Utvald bild kunde inte laddas in"; -/* No comment provided by engineer. */ -"February 21, 2019" = "21 februari 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Hämtar teman..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Filtyp"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fyll i med hjälp av lösenordshanterare"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Förnamn"; -/* No comment provided by engineer. */ -"Five." = "Fem."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Åtgärda allt"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Åtgärdat"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Tabellceller med fast bredd"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Åtgärdar hot"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Fotboll"; -/* No comment provided by engineer. */ -"Footer cell text" = "Sidfotscellens text"; - -/* No comment provided by engineer. */ -"Footer label" = "Etikett för sidfot"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Sidfötter"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "För din bekvämlighet har vi redan fyllt i dina kontaktuppgifter från WordPress.com. Granska dem för att kontrollera att det är den korrekta informationen som du vill använda för denna domän."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Vidarebefodra"; -/* No comment provided by engineer. */ -"Four." = "Fyra."; - /* Browse free themes selection title */ "Free" = "Gratis"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Bildtext för galleri. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Ge upp"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Framhäv ett citat visuellt. ”När vi citerar andra, citerar vi oss själva.” — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Ge särskild visuell betoning på ett citat från din text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Ge din webbplats ett namn som återspeglar dess personlighet och ämnesområde. Första intrycket är viktigt!"; -/* No comment provided by engineer. */ -"Global Styles" = "Globala stilar"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML-innehåll"; -/* No comment provided by engineer. */ -"HTML element" = "HTML-element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Rubrik 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Rubrik 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "Rubriknivå %d"; /* H1 Aztec Style */ "Heading 1" = "Rubriknivå 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Rubriknivå 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Höjd i pixlar"; - /* Help button */ "Help" = "Hjälp"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Hjälpikon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Hjälp besökare att hitta ditt innehåll."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Så här har ditt inlägg lyckats hittills."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Göm tangentbord"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Dölj utdraget på sidan med hela innehållet"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Vänta på granskning"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Hem"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hurra!\nNästan klart nu"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Hur åtgärdade Jetpack det?"; @@ -3709,7 +3080,7 @@ "I Like It" = "Jag gillar den"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Jag är så inspirerad av fotografen Cameron Karstens arbete. Jag kommer att prova dessa tekniker nästa gång"; /* Title of a button style */ "Icon & Text" = "Ikon och text"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Om du går vidare med alternativet Apple eller Google och inte redan har ett konto hos WordPress.com innebär detta att du härmed registrerar ett konto och att du samtycker till våra _användarvillkor_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "Om du tar bort %1$@ kommer användaren inte längre att ha åtkomst till den här webbplatsen, men allt innehåll som skapats av %2$@ kommer att finnas kvar på."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Bildstorlek"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Bildtext. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Bildinställningar"; /* Hint for image title on image settings. */ -"Image title" = "Bildrubrik"; - -/* No comment provided by engineer. */ -"Image width" = "Bildbredd"; +"Image title" = "Bildrubrik"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Bild, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Bild, datum och rubrik "; - /* Undated post time label */ "Immediately" = "Direkt"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Med några ord, berätta vad denna webbplats handlar om."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "Genom att citera andra, citerar vi oss själva."; - /* Describes a status of a plugin */ "Inactive" = "Inaktivt"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Felaktigt användarnamn eller lösenord. Försök ange dina inloggningsdetaljer igen."; -/* No comment provided by engineer. */ -"Indent" = "Indrag"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infekterad fil i WordPress-kärnan"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Infoga media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Infoga en tabell för att dela data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Lägg in andra anpassade element med hjälp av en WordPress-kortkod."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Lägg in en bild för att berätta visuellt."; - -/* No comment provided by engineer. */ -"Insert column after" = "Infoga kolumn efter"; - -/* No comment provided by engineer. */ -"Insert column before" = "Infoga kolumn före"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Placera in mediafil"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Lägg in poesi. Använd specialformat för radavstånd. Eller citera några rader ur en sångtext."; - -/* No comment provided by engineer. */ -"Insert row after" = "Infoga rad efter"; - -/* No comment provided by engineer. */ -"Insert row before" = "Infoga rad före"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Infoga det markerade"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Det kan ta upp till en minut att installera ditt första tillägg på webbplatsen. Under denna tid kan du inte göra några ändringar på din webbplats."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introducera nya sektioner och organisera innehåll för att hjälpa besökare (och sökmotorer) att förstå strukturen på ditt innehåll."; - /* Stories intro header title */ "Introducing Story Posts" = "Lär känna berättelseinlägg"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Kursivering"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazzmusiker"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Håll koll på hur det går för webbplatsen."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Kända användare"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etikett"; -/* No comment provided by engineer. */ -"Landscape" = "Landskapsläge"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Språk"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Språketikett (sv, en, osv.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Stor"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "Sammanfattning av senaste inlägg"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Inställningar för senaste kommentarerna"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Läs mer"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Läs mer om formatering av datum och tid."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Lär dig mer om inbäddningar"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Lär dig mer om roller"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Äldre ikoner"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Äldre widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Låt oss hjälpa till"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Berätta för mig när det är klart!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Nivå %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Nivå %s. Tomt."; - /* Title for the app appearance setting for light mode */ "Light" = "Ljus"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "Länk till"; -/* No comment provided by engineer. */ -"Link color" = "Länkfärg"; - -/* No comment provided by engineer. */ -"Link label" = "Länketikett"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Länk till"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Länk till %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Länk till befintligt innehåll"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Länkar i kommentarer"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Länkar visas i en kolumn."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Länkar visas i en rad."; - -/* No comment provided by engineer. */ -"List" = "Lista"; - -/* No comment provided by engineer. */ -"List of template parts" = "Lista med malldelar"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Stil på listan"; -/* No comment provided by engineer. */ -"List text" = "Text för lista"; - /* Title of the screen that load selected the revisions. */ "Load" = "Ladda"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Laddar..."; -/* No comment provided by engineer. */ -"Loading…" = "Laddar in ..."; - /* Status for Media object that is only exists locally. */ "Local" = "Lokala utkast"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Logga in med ditt användarnamn och lösenord för WordPress.com."; -/* No comment provided by engineer. */ -"Log out" = "Logga ut"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Logga ut från WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Inloggningsbegäran har löpt ut"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Inställningar för inloggning\/utloggning"; - -/* No comment provided by engineer. */ -"Logos Only" = "Endast logger"; - /* No comment provided by engineer. */ "Logs" = "Loggar"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "Glömt ditt lösenord?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Huvudmeny"; -/* No comment provided by engineer. */ -"Main color" = "Huvudfärg"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Gör en länk av rubriken"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Matchar användarkonton med hjälp av e-postadresser"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Maxstorlek på uppladdade bilder"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Maximal uppladdningsstorlek för videoklipp"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Maximalt antal ord i utdrag"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "7 maj 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Det gick inte att förhandsgranska media."; -/* No comment provided by engineer. */ -"Media settings" = "Inställningar för media"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uppladdat (%ld filer)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Övervaka tillgänglighetstiden hos din webbplats"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc uppenbarar sig — stilla, snötäckt och fridfullt."; - /* Title of Months stats filter. */ "Months" = "Månader"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "Mer på WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "Fler verktyg och alternativ"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Populäraste tidpunkten"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Flytta ner"; -/* No comment provided by engineer. */ -"Move image backward" = "Flytta bilden bakåt"; - -/* No comment provided by engineer. */ -"Move image forward" = "Flytta bilden framåt"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Flytta menyval"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "Flyttar kommentaren till papperskorgen."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "Museer att se i London"; /* An example tag used in the login prologue screens. */ "Music" = "Musik"; -/* No comment provided by engineer. */ -"Muted" = "Tystad"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Min profil"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "Mina tio favoritcaféer"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Namn"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Går till anpassning av gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigering (vertikalt)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Hjälp"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Nytt ord i blockeringslistan"; -/* No comment provided by engineer. */ -"New Column" = "Ny kolumn"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Nya anpassade appikoner"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Nya inlägg"; -/* No comment provided by engineer. */ -"New template part" = "Ny malldel"; - /* Screen title, where users can see the newest plugins */ "Newest" = "Senaste"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Nästa"; -/* No comment provided by engineer. */ -"Next Page" = "Nästa sida"; - /* Table view title for the quick start section. */ "Next Steps" = "Nästa steg"; /* Accessibility label for the next notification button */ "Next notification" = "Nästa notifiering"; -/* No comment provided by engineer. */ -"Next page link" = "Länk till nästa sida"; - /* Accessibility label */ "Next period" = "Nästa period"; -/* No comment provided by engineer. */ -"Next post" = "Nästa inlägg"; - /* Label for a cancel button */ "No" = "Nej"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Ingen nätverksanslutning"; -/* No comment provided by engineer. */ -"No Date" = "Inget datum"; - /* List Editor Empty State Message */ "No Items" = "Inga poster"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Inga kommentarer än"; -/* No comment provided by engineer. */ -"No comments." = "Inga kommentarer."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Inga inlägg."; -/* No comment provided by engineer. */ -"No preview available." = "Ingen förhandsgranskning tillgänglig."; - /* A message title */ "No recent posts" = "Inga nya inlägg"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Hittar du inte meddelandet? Kolla i mappen för skräppost eller reklam."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Obs: Självstartande ljud kan orsaka användbarhetsproblem för vissa besökare."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Obs: Vissa självstartande videoklipp kan orsaka användbarhetsproblem för en del besökare."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Obs: Kolumnlayouten kan variera mellan olika teman och skärmstorlekar"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Obs: Många webbläsare i telefoner och surfplattor visar inte inbäddade PDF:er."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Inget hittades."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Nummer"; -/* No comment provided by engineer. */ -"Number of comments" = "Antal kommentarer"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numrerad lista"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Knapp för ”One Password”"; -/* No comment provided by engineer. */ -"One column" = "En kolumn"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "Något av det svåraste i teknikutveckling är att bryta mot sitt eget tankesätt."; - -/* No comment provided by engineer. */ -"One." = "Ett."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Visa bara den statistik som är mest relevat. Lägger till insikter som passar dina behov."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Hoppsan!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Öppna menyn för blockåtgärder"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Öppna inställningar för enheten"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Öppna WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Öppna blocknavigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Öppna hela mediaväljaren"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Eller logga in genom att _skriva in adressen till din webbplats_."; -/* No comment provided by engineer. */ -"Ordered" = "Sorterad"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Sorterad lista"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Inställningar för numrerad lista"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organisation"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Andra webbplatser"; -/* No comment provided by engineer. */ -"Outdent" = "Minska indrag"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Lyft listobjektet en nivå"; - -/* No comment provided by engineer. */ -"Outline" = "Markera ytterkanter"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Åsidosatt"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF-inbäddning"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF-inställningar"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Sida"; -/* No comment provided by engineer. */ -"Page Link" = "Sidlänk"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Sidan återställd till Utkast"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Paginering"; -/* No comment provided by engineer. */ -"Paragraph" = "Stycke"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Textstyckesblock"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Förälder"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Klistra in en URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Klistra in en länk till innehållet du vill visa på din webbplats."; +"Paste block after" = "Infoga blocket efter"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Klistra in utan formatering"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Välj favoritlayout på din startsida Du kan anpassa eller ändra det senare."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Paket"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Paket"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Spela video"; -/* No comment provided by engineer. */ -"Playback controls" = "Uppspelningsreglage"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Lägg till något innehåll innan du försöker publicera."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Populära språk"; -/* No comment provided by engineer. */ -"Portrait" = "Porträttläge"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Skicka"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Inläggskategorier"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Författare till inläggskommentar"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Innehåll för inläggskommentar"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Datum för inläggskommentar"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Block för antal kommentarer på inlägg: inlägget hittades inte."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Formulär för inläggskommentarer"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Block för formulär för inläggskommentarer: kommentarer är inte aktiverade för denna inläggstyp."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Block för formulär för inläggskommentarer: kommentarer är inte tillåtna för detta inlägg."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Format"; -/* No comment provided by engineer. */ -"Post Link" = "Inläggslänk"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Inlägg återställt till Utkast"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Inlägg av %1$@, från %2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Block för inläggskommentarer: inget inlägg hittades."; - /* No comment provided by engineer. */ "Post content settings" = "Inställningar för inläggsinnehåll"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Publicerat i %1$@ kl. %2$@ av %3$@."; -/* No comment provided by engineer. */ -"Poster image" = "Posterbild"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Publiceringsaktivitet"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Inlägg"; -/* No comment provided by engineer. */ -"Posts List" = "Inläggslista"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Inläggssida"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Drivs med Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Förformaterad text"; - /* No comment provided by engineer. */ "Preload" = "Förhandsladda"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Förhandsgranska din nya webbplats för att se vad dina besökare kommer att se."; -/* No comment provided by engineer. */ -"Previous Page" = "Föregående sida"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Föregående notifiering"; -/* No comment provided by engineer. */ -"Previous page link" = "Länk till föregående sida"; - /* Accessibility label */ "Previous period" = "Föregående period"; -/* No comment provided by engineer. */ -"Previous post" = "Föregående inlägg"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primär webbplats"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projekt"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Uppmana besökarna att göra något med hjälp av en länk i knappformat."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Uppmana besökarna att göra något med hjälp av en grupp länkar, utformade som knappar."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Tillhandahållen typ stöds inte."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Publikt"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publicerar ..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Inköp"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push-notiser är avstängda i inställningarna för iOS. Aktivera dem igen genom att åter välja ”Tillåt notis-meddelanden”."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Snabbstart"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Citattext"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS-inställningar"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "Betygsätt oss på App Store"; /* No comment provided by engineer. */ "Read more" = "Läs mer"; -/* No comment provided by engineer. */ -"Read more link text" = "Länktext för ”Läs mer”"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Läs på"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Ansluten igen"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Omdirigera till nuvarande URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Hänvisning"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "Relaterade inlägg visar relevant innehåll från din webbplats nedanför dina inlägg"; -/* No comment provided by engineer. */ -"Release Date" = "Utgivningsdatum"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Ta bort detta inlägg från mina sparade inlägg."; -/* No comment provided by engineer. */ -"Remove track" = "Ta bort spår"; - /* User action to remove video. */ "Remove video" = "Ta bort video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Ändra storlek och beskär"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Ändra storlek för mindre enheter"; - /* The largest resolution allowed for uploading */ "Resolution" = "Upplösning"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Återställ webbplats"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Återställ mall till temastandard"; - /* Button title for restore site action */ "Restore to this point" = "Återställ till denna punkt"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Återanvändbara block kan inte redigeras i WordPress för iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Omvänd listnumrering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Återställ väntande ändring"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Roll"; -/* No comment provided by engineer. */ -"Rotate" = "Rotera"; - -/* No comment provided by engineer. */ -"Row count" = "Radantal"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS skickat"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Välj styckeformatering"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Välj %@ för att lägga till dina konton i sociala medier"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Sänd push-notiser"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Dela upp ditt innehåll till en upplevelse som sträcker sig över flera sidor."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Ladda bilder från våra servrar"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Ställ in som inläggssida"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Placera media och ord vid sidan av varandra för en rikare layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Konfigurera"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Kortkod"; -/* No comment provided by engineer. */ -"Shortcode text" = "Text för kortkod"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Visa sidhuvud"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Visa nedladdningsknapp"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Visa länkar för in- och utloggning."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Visa lösenord"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Visa inläggets innehåll"; -/* No comment provided by engineer. */ -"Show post counts" = "Visa antal inlägg"; - /* translators: Checkbox toggle label */ "Show section" = "Visa sektion"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Visar endast mina inlägg"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Visar statistik för:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Visar webbplatsens inlägg."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidopaneler"; - /* View title during the sign up process. */ "Sign Up" = "Skapa konto"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Webbplatsens språk"; -/* No comment provided by engineer. */ -"Site Logo" = "Webbplatslogga"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Text för webbplatsslogan"; +"Site security and performance\nfrom your pocket" = "Webbplatssäkerhet och prestanda\nfrån din ficka"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Webbplatsens tidszon (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Webbplatsrubriken har ändrats"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Webbplatser"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Webbplatser att följa"; -/* No comment provided by engineer. */ -"Six." = "Sex."; - /* Image size option title. */ "Size" = "Storlek"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Sociala nät"; -/* No comment provided by engineer. */ -"Social Icon" = "Social ikon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid färg"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Uppladdning av vissa mediefiler misslyckades. Om du fortsätter med den här åtgärden kommer de mediefiler som inte laddats upp inte med i inlägget.\nSpara ändå?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Tyvärr är inte det användarnamnet ledigt."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Detta innehåll gick inte att bädda in."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Användarnamn kan endast innehålla gemener (a-z) och siffror."; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "Källkod"; -/* No comment provided by engineer. */ -"Source language" = "Källspråk"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Söder"; /* Label for showing the available disk space quota available for media */ "Space used" = "Utnyttjat utrymme"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Snabba upp din webbplats"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standard"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Börja om"; -/* No comment provided by engineer. */ -"Start value" = "Startvärde"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Börja skriva …"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Överstrykning"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Påbörjat"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Skickar till granskning..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Spotlight-indexet har tömts"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Hjälp"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Byt webbplats"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Systemstandard"; -/* No comment provided by engineer. */ -"Table" = "Tabell"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Innehållsförteckning"; -/* No comment provided by engineer. */ -"Table settings" = "Tabellinställningar"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Tabell för %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tagga"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Inställningar för etikettmoln"; - -/* No comment provided by engineer. */ -"Tag Link" = "Etikettlänk"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Etiketten finns redan"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Berätta för oss vilken typ av webbplats du vill göra"; -/* No comment provided by engineer. */ -"Template Part" = "Malldel"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Malldel ”%s” har infogats."; - -/* No comment provided by engineer. */ -"Template Parts" = "Malldelar"; - -/* No comment provided by engineer. */ -"Template part created." = "Malldel skapad."; - -/* No comment provided by engineer. */ -"Templates" = "Mallar"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Villkor"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Endast text"; -/* No comment provided by engineer. */ -"Text link settings" = "Inställningar för länktext"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Skicka mig en kod via SMS i stället"; -/* No comment provided by engineer. */ -"Text settings" = "Inställningar för text"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "Tack för att du väljer %1$@ från %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certifikatet för den här servern är inte giltigt. Det kan hända att du ansluter till en server som påstår sig vara \"%@\", vilket kan försätta din sekretessbelagda information i fara.\n\nVill du lita på certifikatet i alla fall?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "Utdraget är dolt."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "Utdraget är synligt."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "Filen %1$@ innehåller ett skadligt kodmönster"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Videoklippet kunde inte läggas till i mediabiblioteket."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema aktiverat"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "Ett problem uppstod vid anslutningen till %@. Anslut igen för att fortsätta publicering."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Denna app behöver åtkomst till mediabiblioteket i din enhet för att kunna lägga till bilder eller videoklipp i dina inlägg. Ändra integritetsinställningarna om du vill tillåta detta."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Denna domän är inte tillgänglig"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Hotet ignorerades."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Tre jämnbreda kolumner"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Tre kolumner med bred kolumn i mitten"; - -/* No comment provided by engineer. */ -"Three." = "Tre."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Miniatyr"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Rubrik"; -/* No comment provided by engineer. */ -"Title & Date" = "Rubrik och datum"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Rubrik och utdrag"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Rubrik för kategori är obligatoriskt."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Rubrik, datum och utdrag"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "För att lägga till bilder eller videoklipp i dina inlägg."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "För att fortsätta med detta Google-konto måste du först logga in med ditt lösenord för WordPress.com. Detta behövs bara en gång."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "För att visa en kommentar, skriv kommentarens ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "För att ta bilder eller spela in videoklipp som kan användas i dina inlägg."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Slå på\/av HTML-källa "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Slå på\/av navigering"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Slå av eller på stilen för numrerad lista "; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Ord totalt"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Omvandla %s till"; + +/* No comment provided by engineer. */ +"Transform block…" = "Omvandla block …"; + /* No comment provided by engineer. */ "Translate" = "Översätt"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter-användarnamn"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Två jämnbreda kolumner"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Två."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Skriv in ett sökbegrepp för fler idéer"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Namnlös webbplats"; -/* No comment provided by engineer. */ -"Unordered" = "Osorterad"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Osorterad lista"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Utan rubrik"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Malldel utan rubrik"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Upp till sju dagar med loggar sparas."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Ladda upp mediafiler"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Ladda upp en fil eller välj en från ditt mediabibliotek."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Ladda upp en webbplatsikon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Skapa en logga för webbplatsen genom att ladda upp en bild eller välja en i mediakatalogen"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Uppladdningsfel"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Använd nuvarande plats"; -/* No comment provided by engineer. */ -"Use URL" = "Använd URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Använd blockredigeraren"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Använd den klassiska WordPress-redigeraren."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Använd denna länk för att lägga till gruppmedlemmar utan att behöva bjuda in dem en i taget. Vem som helst som besöker denna URL kommer att kunna registrera sig i er organisation, även om de fått länken från någon annan. Se därför till att bara ge länken till personer du litar på."; /* No comment provided by engineer. */ "Use this site" = "Använd den här webbplatsen"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Bekräfta din e-postadress – instruktioner har skickats till %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Version"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ är tillgänglig"; -/* No comment provided by engineer. */ -"Vertical" = "Vertikalt"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Förhandsvisning av video ej tillgänglig"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Beskrivning för video. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Läsare"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Visningsområdets höjd (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Tema med sårbarheter %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Admin"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Välkommen till Läsaren"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Välkommen till den underbara världen av block …"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Välkommen till världens populäraste webbplatsbyggare."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Ojdå. Den där var ingen giltig bekräftelsekod för tvåfaktorautentisering. Dubbelkolla koden och försök en gång till!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgetar"; -/* No comment provided by engineer. */ -"Width in pixels" = "Bredd i pixlar"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Visas ej offentligt."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Med denna kraftfulla redigeringsmiljö kan du skapa inlägg på rörlig fot."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "App-inställningar för WordPress"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Skriv kod …"; -/* No comment provided by engineer. */ -"Write file name…" = "Skriv filnamn …"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Skriv förformaterad text …"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Skriv kortkod här …"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Skriv webbplatsens slogan …"; - -/* No comment provided by engineer. */ -"Write site title…" = "Skriv webbplatsrubrik …"; - -/* No comment provided by engineer. */ -"Write title…" = "Skriv rubrik …"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "Skriva"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Din webbplatsadress visas i listen längst upp på skärmen när du besöker din webbplats i Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Din webbplats inkluderar inte stöd för detta block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Din webbplats är klar!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Nu använder du blockredigeraren för nya inlägg – utmärkt! Om du vill återgå till den klassiska redigeraren går du till ”Min webbplats” > ”Inställningar”."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[KOMMENTAR]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "en timme"; -/* No comment provided by engineer. */ -"archive" = "arkiv"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "ljud"; -/* No comment provided by engineer. */ -"blockquote" = "blockcitat"; - -/* No comment provided by engineer. */ -"blog" = "blogg"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "av %@"; -/* No comment provided by engineer. */ -"cite" = "citera"; - /* The menu item to select during a guided tour. */ "connections" = "anslutningar"; -/* No comment provided by engineer. */ -"container" = "behållare"; - -/* No comment provided by engineer. */ -"description" = "beskrivning"; - -/* No comment provided by engineer. */ -"divider" = "avdelare"; - -/* No comment provided by engineer. */ -"document" = "dokument"; - /* No comment provided by engineer. */ "document outline" = "dokumentöversikt"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "dubbeltryck för att ändra enhet"; -/* No comment provided by engineer. */ -"download" = "ladda ner"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "till exempel 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "till exempel 44"; -/* No comment provided by engineer. */ -"embed" = "bädda in"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "hitta"; - /* Noun. Describes a site's follower. */ "follower" = "följare"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/min-webbplats-adress (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "bild"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "bild %1$d av %2$d i galleriet"; -/* No comment provided by engineer. */ -"images" = "bilder"; - /* Text for related post cell preview */ "in \"Apps\"" = "i ”Appar”"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "senare idag"; -/* No comment provided by engineer. */ -"link" = "länk"; - -/* No comment provided by engineer. */ -"links" = "länkar"; - -/* No comment provided by engineer. */ -"login" = "logga in"; - -/* No comment provided by engineer. */ -"logout" = "logga ut"; - -/* No comment provided by engineer. */ -"menu" = "meny"; - -/* No comment provided by engineer. */ -"movie" = "film"; - -/* No comment provided by engineer. */ -"music" = "musik"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "nästa sida"; - -/* No comment provided by engineer. */ -"numbered list" = "numrerad lista"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "av"; -/* No comment provided by engineer. */ -"ordered list" = "sorterad lista"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "övrigt"; -/* No comment provided by engineer. */ -"pagination" = "sidonumrering"; - /* No comment provided by engineer. */ "password" = "lösenord"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "telefonnummer"; -/* No comment provided by engineer. */ -"photos" = "foton"; - -/* No comment provided by engineer. */ -"picture" = "bild"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "dikt"; - -/* No comment provided by engineer. */ -"poetry" = "poesi"; - -/* No comment provided by engineer. */ -"post" = "inlägg"; - -/* No comment provided by engineer. */ -"posts" = "inlägg"; - -/* No comment provided by engineer. */ -"read more" = "läs mer"; - -/* No comment provided by engineer. */ -"recent comments" = "senaste kommentarerna"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "rad"; - -/* No comment provided by engineer. */ -"section" = "sektion"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "ljud"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "sammanfattning"; -/* No comment provided by engineer. */ -"survey" = "undersökning"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "Dessa saker kommer att raderas:"; -/* No comment provided by engineer. */ -"title" = "rubrik"; - /* Today */ "today" = "idag"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, webbplatser, webbplats, bloggar, blogg"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "din nya domän %@ håller på att konfigureras. Webbplatsen är gör förväntansfulla volter i luften!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domännamn"; diff --git a/WordPress/Resources/th.lproj/Localizable.strings b/WordPress/Resources/th.lproj/Localizable.strings index faf519160f0e..285600d2e7ef 100644 --- a/WordPress/Resources/th.lproj/Localizable.strings +++ b/WordPress/Resources/th.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d unseen posts"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s transformed to %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s is %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%li words, %li characters"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s block options"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s block. Empty"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s block. This block has invalid content"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "'%s' is not fully-supported"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Address line %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 draft post uploaded"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potential threat found"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "< 1 hour"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "A \"more\" button contains a dropdown which displays sharing buttons"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "A featured image is set. Tap to change it."; /* Title for a threat */ "A file contains a malicious code pattern" = "A file contains a malicious code pattern"; -/* No comment provided by engineer. */ -"A link to a category." = "A link to a category."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "A link to a page."; - -/* No comment provided by engineer. */ -"A link to a post." = "A link to a post."; - -/* No comment provided by engineer. */ -"A link to a tag." = "A link to a tag."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "A list of sites on this account."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "A series of steps to assist with growing your site's audience."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "A tag named '%@' already exists."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADDRESS"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "เกี่ยวกับ"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Add New Stats Card"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Add To Beginning"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Add a Topic"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Add a self-hosted site"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "เพิ่ม alt text"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Add any topic"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Add image, or avatar, to represent this new account."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Add paragraph block"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "เพิ่มเว็บที่ติดตั้งบนโฮสท์ตัวเอง"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "Add tags"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - /* No comment provided by engineer. */ "Add text…" = "Add text…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; - /* No comment provided by engineer. */ "Add this email link" = "Add this email link"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Add this telephone link"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Adding site features"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "อัลบั้ม"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "จัดตำแหน่ง"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "An error occurred."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "An unknown error occurred. Please try again."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Approves the Comment."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "Are you sure you want to cancel and discard changes?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Are you sure you want to update?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Art"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Attach File as Link"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "Audio Player"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Audio caption. %s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +/* translators: displayed right after the block is copied. */ +"Block copied" = "Block copied"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Block cut"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Block duplicated"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Block editor enabled"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Block malicious login attempts"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Block pasted"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Block removed"; + +/* No comment provided by engineer. */ +"Block settings" = "Block settings"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blog's Viewer"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "ตัวหนา"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "แตกความเห็นที่เกี่ยวข้องกันเป็นหลาย ๆ หน้า"; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Browse all our themes to find your perfect fit."; -/* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - /* No comment provided by engineer. */ "Browser default" = "Browser default"; @@ -1159,10 +1007,7 @@ "Button Style" = "Button Style"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Calculating..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "กล้อง"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "คำอธิบาย"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "ควรระวัง"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Category"; -/* No comment provided by engineer. */ -"Category Link" = "Category Link"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "หัวข้อหมวดหมู่หายไป"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "การรับรองผิดพลาด"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Change Password"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "Change block position"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Change failed"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Changing username"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Check Purchases Error"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Choose domain"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Choose file"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Clear all old activity logs?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Clear search"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "ปิดการแสดงความเห็น"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Close the Me screen"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Code"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Collapsed, %i completed tasks, toggling expands the list of these tasks"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Colorful backgrounds"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Connections"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "ติดต่อ"; - /* Support email label. */ "Contact Email" = "Contact Email"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Contact support"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Contact us at %@"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "Content Structure\nBlocks: %li, Words: %li, Characters: %li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Continuing with Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Convert to blocks"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Cooking"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Copied block"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Copy Link to Comment"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Copy block"; /* No comment provided by engineer. */ "Copy file URL" = "Copy file URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Could not check site purchases."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Could not follow site"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Create Story Post"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "สร้างเว็บไซต์ WordPress.com"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Create a Tag"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Create a new site"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Create a post or page"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Create a post, page, or story"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "Create downloadable backup"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Currently restoring: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Custom message…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "ปรับแต่งการตั้งค่าเว็บสำหรับการชื่นชอบ ความเห็น ติดตามและมากกว่าเดิม"; +/* No comment provided by engineer. */ +"Cut block" = "Cut block"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Dark"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "December 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Default"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Default URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "ค่าเริ่มต้นสำหรับเรื่องใหม่"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Delete Site Error"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Delete menu"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Delete this tag"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "คำขยายความ"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Design"; /* Title for the desktop web preview */ "Desktop" = "Desktop"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "รายละเอียด"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "ชื่อที่แสดง"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - /* No comment provided by engineer. */ "Display post date" = "Display post date"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Display your all-time site stats here. Configure in the WordPress app in your site stats."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Display your site stats for today here. Configure in the WordPress app in your site stats."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Document: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Don’t worry about a thing"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Double tap and hold to move this menu item up or down"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Double tap to open Action Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Double tap to open Action Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Double tap to open Bottom Sheet to edit, replace, or clear the image"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Double tap to open Bottom Sheet with available options"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Double tap to redo last change"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Download backup"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Download file"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "Downloads"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Drafts"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Duplicate"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Duplicate block"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "ทิศตะวันออก"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "Edit %@ block"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Edit Blocklist Word"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "แก้ไขเรื่อง"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Edit file"; /* No comment provided by engineer. */ "Edit focal point" = "Edit focal point"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Edit sharing buttons"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Edit the post first"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Edit using web editor"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "Email sent!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Empty"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "URL ว่างเปล่า"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Enable"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "End Date"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Enter Full Screen"; -/* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "Enter URL to embed here…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Enter a password to protect this post"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Enter different words above and we'll look for an address that matches it."; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Error updating speed up site settings"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Event"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Explore plans"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "Export Content"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "โหลดรูปพิเศษไม่ได้"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "กำลังดึงธีม..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "File type"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Fill with password manager"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "ชื่อ"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Fix All"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Fixed"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Fixing Threats"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Football"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "ฟอร์เวิร์ด"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "ฟรี"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Gallery caption. %s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "ยอมแพ้"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Give your site a name that reflects its personality and topic. First impressions count!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML Content"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Header 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Header 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "Heading %d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Heading 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "ช่วยเหลือ"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Help icon"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "Here's how the post performed so far."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "ซ่อนคีย์บอร์ด"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "กดค้างสำหรับการจัดการ"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "How did Jetpack fix it?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site."; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "ขนาดรูปภาพ"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Image caption. %s"; @@ -3778,17 +3143,11 @@ "Image settings" = "Image settings"; /* Hint for image title on image settings. */ -"Image title" = "Image title"; - -/* No comment provided by engineer. */ -"Image width" = "Image width"; +"Image title" = "Image title"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "รูปภาพ %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "ทันที"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "อธิบายว่าเว็บนี้เกี่ยวกับอะไร ด้วยคำสั้น ๆ"; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Inactive"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Incorrect username or password. Please try entering your login details again."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Infected core file"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Insert Media"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Insert media"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Insert selected"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Introducing Story Posts"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "ตัวเอียง"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Keep up to date on your site’s performance."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "ผู้ใช้ทีรู้จัก"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Label"; -/* No comment provided by engineer. */ -"Landscape" = "ภูมิประเทศ"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Language"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "ขนาดใหญ่"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "สรุปเรื่องล่าสุด"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Learn More"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Learn more about date and time formatting."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Learn more about roles"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Legacy Icons"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Let Us Help"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Let me know when finished!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Level %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Level %s. Empty."; - /* Title for the app appearance setting for light mode */ "Light" = "Light"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "ลิงก์ไปที่"; -/* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - /* No comment provided by engineer. */ "Link to" = "Link to"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Link to existing content"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "ลิงก์ในความเห็น"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "List style"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Load"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "กำลังโหลด..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "บนเครื่อง"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "Log in with your WordPress.com username and password."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "Log out of WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "คำขอเข้าสู่ระบบหมดอายุ"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "log"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "Loop"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "จำรหัสผ่านไม่ได้?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "เมนูนำทางหลัก"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "Match accounts using email"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "ขนาดรูปภาพอัปโหลดใหญ่สุด"; /* Title for the video size settings option. */ "Max Video Upload Size" = "Max Video Upload Size"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Media preview failed."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Media uploaded (%ld files)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Monitor your site's uptime"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "เดือน"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "More on WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "Most Popular Time"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Move down"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Move menu item"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "Music"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "ประวัติส่วนตัวของฉัน"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "My Top Ten Cafes"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "Name"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Navigates to customize the gradient"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "ต้องการความช่วยเหลือ?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "New Blocklist Word"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "New Custom App Icons"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "New posts"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "ใหม่สุด"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "ต่อไป"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Next Steps"; /* Accessibility label for the next notification button */ "Next notification" = "Next notification"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Next period"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "ไม่"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "ไม่มีการเชื่อมต่อ"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "ไม่มีรายการ"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "ยังไม่มีความเห็น"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "No posts."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "ไม่มีเรื่องเร็ว ๆ นี้"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "Not seeing the email? Check your Spam or Junk Mail folder."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Note: Column layout may vary between themes and screen sizes"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Nothing found."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Number"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Numbered List"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password button"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Only see the most relevant stats. Add insights to fit your needs."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "โอ๊ะ"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Open Block Actions Menu"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Open Device Settings"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "Open WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Open full media picker"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Or log in by _entering your site address_."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "รายชื่อเรียงลำดับ"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Organization"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "เว็บอื่น"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Overridden"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "PHONE"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Page"; -/* No comment provided by engineer. */ -"Page Link" = "Page Link"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Page Restored to Drafts"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "การใส่เลขหน้า"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraph"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "หมวดหมู่หลัก"; @@ -5442,7 +4567,7 @@ "Paste URL" = "Paste URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Paste block after"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Paste without Formatting"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "Pick your favorite homepage layout. You can edit and customize it later."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Plan"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Plans"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Play video"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Please add some content before trying to publish."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popular languages"; -/* No comment provided by engineer. */ -"Portrait" = "ภาพเหมือน"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "เรื่อง"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "หมวดหมู่เรื่อง"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "รูปแบบเรื่อง"; -/* No comment provided by engineer. */ -"Post Link" = "Post Link"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "กู้คืนเรื่องไปยังสถานะฉบับร่าง"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "Post by %@, from %@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - /* No comment provided by engineer. */ "Post content settings" = "Post content settings"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "Posted in %@, at %@, by %@."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Posting Activity"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "เรื่อง"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Posts Page"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "Powered by Tenor"; -/* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - /* No comment provided by engineer. */ "Preload" = "Preload"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Preview your new site to see what your visitors will see."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Previous notification"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Previous period"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Primary Site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projects"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "สาธารณะ"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Publishing..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Purchases"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Quick Start"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "ให้คะแนนบนแอพสโตร์"; /* No comment provided by engineer. */ "Read more" = "Read more"; -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Read on"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Reconnected"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "อ้างอิง"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "เรื่องที่เกี่ยวข้องแสดงบทความที่คล้ายกันจากเว็บของคุณด้านล่างเรื่องของคุณ"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Remove this post from my saved posts."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Remove video"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Resize & Crop"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Resolution"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Restore site"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Restore to this point"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Reusable blocks aren't editable on WordPress for iOS"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Revert Pending Change"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Role"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "ส่ง SMS"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Select paragraph style"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Select the %@ to add your social media accounts"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Send push notifications"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Serve images from our servers"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Set as Posts Page"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Set up"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "Shortcode"; -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "แสดงส่วนหัว"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "Show download button"; -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "Show password"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Show post content"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Show section"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Showing just my posts"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Showing stats for:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Shows the site's posts."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Sign Up"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "ภาษาของเว็บ"; -/* No comment provided by engineer. */ -"Site Logo" = "Site Logo"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site timezone (UTC%@%d%@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site title changed successfully"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "เว็บ"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Sites to follow"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "ขนาด"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Social"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "การอัปโหลดไฟล์สื่อบางไฟล์ล้มเหลว การกระทำนี้จะลบไฟล์ที่ล้มเหลวทั้งหมดออกจากเรื่อง \nคุณต้องการจะบันทึกหรือไม่?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "ขอโทษครับ ชื่อผู้ใช้นั้นไม่สามารถใช้ได้"; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "ขอโทษครับ ชื่อผู้ใช้ต้องประกอบด้วยตัวอักษรตัวเล็ก(a ถึง z)และตัวเลขเท่านั้น"; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "ซอร์สโค้ด"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "ทิศใต้"; /* Label for showing the available disk space quota available for media */ "Space used" = "Space used"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Speed up your site"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "มาตรฐาน"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Start Over"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Start writing…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Strikethrough"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Submitting for Review..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Successfully cleared spotlight index"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "สนับสนุน"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "เปลี่ยนเว็บไซต์"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "System default"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "Table of Contents"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "Table showing %@"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Tag"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Tag Link"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Tag already exists"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Tell us what kind of site you'd like to make"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Terms and Conditions"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Text Only"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Text me a code instead"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "ขอบคุณที่เลือกใช้ %1$@ โดย %2$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "การรับรองสำหรับเซิร์ฟเวอร์นี้ใช้งานไม่ได้ คุณอาจจะเชื่อมต่อกับเซิร์ฟเวอร์ที่แกล้งทำเป็น “%@” ซึ่งสามารถทำให้ข้อความความลับของคุณอยู่ในความเสี่ยง\n\nคุณต้องการที่จะเชื่อมั่นการรับรองนี้อยู่หรือไม่?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "The file %1$@ contains a malicious code pattern"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "The video could not be added to the Media Library."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "เปิดใช้งานธีมแล้ว"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "There is an issue connecting to %@. Reconnect to continue publicizing."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "แอพนี้ต้องการการอนุญาตเข้าถึงคลังไฟล์สื่ออุปกรณ์ของคุณเพื่อจะเพิ่มรูปภาพ และ\/หรือ ไฟล์วีดีโอไปยังเรื่องของคุณ โปรดเปลี่ยนการตั้งค่าความเป็นส่วนตัวถ้าคุณต้องการที่จะอนุญาตสิ่งนี้"; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "This domain is unavailable"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Threat ignored."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "รูปขนาดย่อ"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "หัวข้อ"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "จำเป็นต้องใส่หัวข้อสำหรับหมวดหมู่"; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "เพื่อเพิ่มรูปภาพหรือวีดีโอไปยังเรื่องของคุณ"; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "เพื่อถ่ายรูปหรือวีดีโอไว้ใช้ในเรื่องของคุณ"; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "Toggle HTML Source "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Toggles the ordered list style"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Total Words"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Traffic"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "Transform %s to"; + +/* No comment provided by engineer. */ +"Transform block…" = "Transform block…"; + /* No comment provided by engineer. */ "Translate" = "Translate"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter Username"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Type a keyword for more ideas"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Unnamed Site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "รายชื่อไม่เรียงลำดับ"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "ไม่มีหัวข้อ"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Up to seven days worth of logs are saved."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Upload Media"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Upload a site icon"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Upload an image, or pick one from your media library, to be your site logo"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "การอัปโหลดล้มเหลว"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Use Current Location"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo"; /* No comment provided by engineer. */ "Use this site" = "ใช้เว็บนี้"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "Verify your email address - instructions sent to %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "รุ่น"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "Version %@ is available"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video Preview Unavailable"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video caption. %s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "Viewers"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Vulnerable Theme %1$@ (version %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "ผู้ควบคุมเวิร์ดเพรส"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Welcome to the Reader"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Welcome to the world's most popular website builder."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Widgets"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Will not be publicly displayed."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "With this powerful editor you can post on the go."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress App Settings"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "Write code…"; -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; - /* Title for the writing section in site settings screen */ "Writing" = "การเขียน"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Your site has been created!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[COMMENT]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "หนึ่งชั่วโมง"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "audio"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "by %@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "connections"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "document outline"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "double-tap to change unit"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "eg. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "eg. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "follower"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/ที่อยู่เว็บของฉัน (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "image"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; -/* No comment provided by engineer. */ -"images" = "images"; - /* Text for related post cell preview */ "in \"Apps\"" = "ใน \"แอพ\""; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "ภายหลังในวันนี้"; -/* No comment provided by engineer. */ -"link" = "ลิงก์"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "of"; -/* No comment provided by engineer. */ -"ordered list" = "รายการเรียงลำดับ"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "other"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "password"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "phone number"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "post"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "summary"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "these items will be deleted:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "วันนี้"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "your new domain %@ is being set up. Your site is doing somersaults in excitement!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Domains"; diff --git a/WordPress/Resources/tr.lproj/Localizable.strings b/WordPress/Resources/tr.lproj/Localizable.strings index 2200521011bd..c68a808f4dd7 100644 --- a/WordPress/Resources/tr.lproj/Localizable.strings +++ b/WordPress/Resources/tr.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-30 16:05:23+0000 */ +/* Translation-Revision-Date: 2021-05-12 02:01:11+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: tr */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d görülmemiş yazı"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s, %2$s olarak dönüştürüldü"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s, %3$s %4$s."; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li kelime, %2$li karakter"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s blok seçenekleri"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s bloku. Boş"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s bloku. Bu blok geçersiz içerik barındırıyor"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "\"%s\" tamamen desteklenmiyor"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ Adres satırı %@"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "1 taslak yazı yüklendi"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "1 potansiyel tehdit bulundu"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "1 saatten az"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "Bir \"daha fazla\" tuşu paylaşım araçlarını barındıran açılır menü içerir"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "Öne çıkan görsel ayarlandı. Değiştirmek için dokunun."; /* Title for a threat */ "A file contains a malicious code pattern" = "Bir dosya kötü amaçlı bir kod modeli içeriyor"; -/* No comment provided by engineer. */ -"A link to a category." = "Bir kategori bağlantısı."; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "Bir sayfa bağlantısı."; - -/* No comment provided by engineer. */ -"A link to a post." = "Bir gönderi bağlantısı."; - -/* No comment provided by engineer. */ -"A link to a tag." = "Bir etiket bağlantısı."; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "Bu hesaptaki sitelerin listesi."; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "Sitenizin kitlesini büyütmeye yardımcı olacak bir dizi adım."; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "'%@' isminde bir etiket zaten mevcut."; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "ADRES"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "Hakkında"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "Yeni istatistik kartı ekle"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "Başa ekle"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "Bir Konu ekle"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "Reader'a yüklenmek üzere buraya özel bir CSS URL'si ekleyin. Calypso'yu yerel olarak çalıştırıyorsanız şu şekilde olabilir: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "Barındırılan site ekle"; @@ -547,20 +449,11 @@ /* No comment provided by engineer. */ "Add alt text" = "Alternatif metin ekle"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "Herhangi bir konu ekle"; /* No comment provided by engineer. */ -"Add caption" = "Add caption"; - -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; +"Add caption" = "Başlık ekle"; /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "Bu yeni hesabı temsil edecek görsel veya avatar ekleyin."; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "Paragraf bloğu ekle"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "Barındırılan site ekle"; @@ -603,16 +493,7 @@ "Add tags" = "Etiketleri ekle"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "Metin ekle..."; /* No comment provided by engineer. */ "Add this email link" = "Bu e-posta bağlantısını ekle"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "Bu telefon bağlantısını ekle"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "Site özellikleri ekleme"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "Albümler"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "Hizalama"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "Bir hata oluştu."; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "Bilinmeyen bir hata oluştu. Lütfen tekrar deneyin."; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "Yorumu onaylar."; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "İptal edip değişikliklerden vazgeçmek istediğinize emin misiniz?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "Güncellemek istediğinizden emin misiniz?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "Sanat"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "1 ağustos 2018 itibarıyla Facebook, yazıların doğrudan Facebook profillerinde paylaşımına izin vermez. Facebook sayfalarına bağlantı değişmeden kalır."; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "Dosyayı bağlantı olarak ekle"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "Ek sayfası"; /* No comment provided by engineer. */ "Audio Player" = "Ses oynatıcı"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "Ses yazısı. %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "Ses yazısı. Boş"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "Ses ayarları"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "Ses, %@"; @@ -967,7 +812,7 @@ "Authors" = "Yazarlar"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "Otomatik"; /* Describes a status of a plugin */ "Auto-managed" = "Otomatik yönetilen"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "Yeni yazıları sosyal medya hesaplarınızda otomatik olarak paylaşın."; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "Otomatik yürütme"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "Otomatik güncellemeler"; @@ -1078,17 +923,35 @@ "Block Quote" = "Alıntı"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "Blok kendi içinde oluşturulamaz."; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "Blok kopyalandı"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "Blok kesildi"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "Blok çoğaltıldı"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "Blok düzenleyici etkinleştirildi"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "Blok silindi veya kullanılamıyor."; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "Kötü amaçlı oturum açma denemelerini engelle"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "Blok yapıştırıldı"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "Blok kaldırıldı"; + +/* No comment provided by engineer. */ +"Block settings" = "Blok ayarları"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Bu siteyi engelle"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "Blogun izleyicisi"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "Kalın"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "Yorumları birden çok sayfaya böl."; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "Size tam uyanı bulmak için tüm temalarımıza göz atın."; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "Tarayıcı varsayılanı"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "Deneme yanılma saldırılarına karşı koruma"; @@ -1159,10 +1007,7 @@ "Button Style" = "Tuş stili"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "Gönderen:"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "Hesaplanıyor..."; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "Kamera"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "Başlık"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "Dikkatli olun!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "Kategori"; -/* No comment provided by engineer. */ -"Category Link" = "Kategori Bağlantısı"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "Kategori başlığı eksik."; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "Sertifika hatası"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "Parola değiştir"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "Blok konumunu değiştir"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "Değiştirme başarısız oldu"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "Başlık düzeyini değiştir"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "Ön izleme için kullanılan cihaz türünü değiştir"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "Kullanıcı adı değiştiriliyor"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "Satın alım kontrol hatası"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "Alan adını seç"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "Dosya seçin"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "Tüm eski etkinlik günlükleri temizlensin mi?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "Aramayı temizle"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "Yorumları kapat"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "Ben ekranını kapat"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "Kod"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "Genişletilmiş, %i tamamlanmış işler, düğmeye tekrar basılırsa bu görevlerin listesi genişletilir"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "Renkli arka planlar"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "Ziyaretçilerinizin seveceği ilgi çekici ve dokunulabilir öykü yayınları oluşturmak için fotoğrafları, videoları ve metinleri birleştirin."; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "Bağlantılar"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "İletişim"; - /* Support email label. */ "Contact Email" = "İletişim e-postası"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "Destek ile iletişim kur"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "Bizimle %@ üzerinden iletişime geçin"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "İçerik Yapısı\nBloklar: %1$li, Kelimeler: %2$li, Karakterler: %3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1814,7 +1599,7 @@ "Continue" = "Devam et"; /* Button title. Takes the user to the login with WordPress.com flow. */ -"Continue With WordPress.com" = "Continue With WordPress.com"; +"Continue With WordPress.com" = "WordPress.com ile devam et"; /* Menus alert button title to continue making changes. */ "Continue Working" = "Çalışmaya devam et"; @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "Apple ile devam ediliyor"; -/* No comment provided by engineer. */ -"Convert to blocks" = "Bloklara dönüştür"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "Yemek pişirme"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "Kopyalanan blok"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "Bağlantıyı yoruma kopyalayın"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "Bloğu kopyala"; /* No comment provided by engineer. */ "Copy file URL" = "Dosya adresini kopyala"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "Site alımları kontrol edilemiyor."; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "Site takip edilemiyor"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "Öykü Yayını Oluştur"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "WordPress.com sitesi oluştur"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "Bir etiket oluştur"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "Yeni bir site oluştur"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "İşiniz, derginiz ya da kişisel blogunuz için bir site oluşturun veya mevcut bir WordPress kurulumuna bağlanın."; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "Yazı veya sayfa oluştur"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "Bir yazı, sayfa veya öykü oluştur"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "İndirilebilir yedekleme oluştur"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "Şu an geri yüklenen: %1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "Özel mesaj…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "Beğeniler, yorumlar, takipler ve daha fazlası için site ayarlarınızı özelleştirin."; +/* No comment provided by engineer. */ +"Cut block" = "Bloğu kes"; + /* Title for the app appearance setting for dark mode */ "Dark" = "Koyu"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "Aralık 17, 2017"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "Varsayılan"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "Varsayılan URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "Yeni yazılar için varsayılanlar"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "Site silme hatası"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "Menüyü sil"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "Bu etiketi sil"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "Açıklama"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "Tasarım"; /* Title for the desktop web preview */ "Desktop" = "Masaüstü"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "Detaylar"; @@ -2355,94 +2089,7 @@ "Display Name" = "Görünen isim"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "Yazı tarihini göster"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "Sitenizin bugüne kadarki istatistiklerini burada görebilirsiniz. WordPress uygulamasındaki site istatistiklerinizden yapılandırın."; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "Sitenizin bugünkü istatistiklerini burada görüntüleyin. WordPress uygulamasında, siteniz istatistikleri içinde yapılandırın."; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "Belge: %@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "Hiç bir şey hakkında endişe etmeyin"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "Bu menü öğesini yukarı veya aşağı taşımak için iki kez dokunup basılı tutun"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "Görseli düzenlemek, değiştirmek veya temizlemek üzere eylem sayfasını açmak için iki kez dokunun"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "Uygun seçenekleri içeren Eylem Sayfasını açmak için iki kez dokunun"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "Görseli düzenlemek, değiştirmek veya temizlemek üzere alt sayfayı açmak için iki kez dokunun"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "Uygun seçenekleri içeren Alt Sayfayı açmak için iki kez dokunun"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "Son değişikliği yinelemek için çift dokunun"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "Yedeklemeyi indir"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "Dosyayı indirin"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "İndirmeler"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "Taslaklar"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "Çoğalt"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "Bloğu çoğalt"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "Doğu"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "%@ bloğunu düzenle"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "Kara Liste Sözcüğünü Düzenle"; @@ -2671,12 +2270,6 @@ Opens the editor to edit an existing post. */ "Edit Post" = "Yazıyı düzenle"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "Dosyayı düzenle"; @@ -2684,10 +2277,7 @@ "Edit focal point" = "Odak noktasını düzenle"; /* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - -/* No comment provided by engineer. */ -"Edit image" = "Edit image"; +"Edit image" = "Görseli düzenle"; /* Explanation for the option to enable the block editor */ "Edit new posts and pages with the block editor." = "Blok düzenleyici ile yeni gönderi ve sayfaları düzenleyin."; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "Paylaşım tuşlarını düzenle"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "Önce gönderiyi düzenle"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "Web düzenleyicisini kullanarak düzenle"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "E-posta gönderildi!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "Boş"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "Boş adres"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "Etkinleştir"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "Bitiş tarihi"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "Tam ekran yap"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "Buraya yerleştirilecek bağlantıyı girin…"; /* Enter a custom value */ "Enter a custom value" = "Özel bir değer girin"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "Bu yazıyı korumak için bir parola girin"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "Yukarıya farklı sözcükler girin, girdiğiniz sözcüklerle eşleşen adres olup olmadığını arayalım."; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "Yedeklemelerinizden tek tıkla geri yüklemeyi etkinleştirmek için sunucu kimlik bilgilerinizi girin."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "Tehdidi gidermek için sunucu kimlik bilgilerinizi girin."; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "Tehditleri gidermek için sunucu kimlik bilgilerinizi girin."; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "Hızlandırma site ayarları güncellenirken hata oluştu"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "Etkinlik"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "Paketleri keşfedin"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "İçeriği dışa aktar"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "Öne çıkan görsel yüklenemedi"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "Temalar getiriliyor..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "Dosya tipi"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "Parola yöneticisi ile doldurun"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "Ad"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "Tümünü düzelt"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "Sabit"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "Tehditler Düzeltiliyor"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "Futbol"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "Size kolaylık olması için, WordPress.com iletişim bilgilerinizi önceden doldurduk. Lütfen bu bilgilerin bu alan adında kullanmak istediğiniz doğru bilgiler olduğundan emin olmak için gözden geçirin."; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "Yönlendir"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "Ücretsiz"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "Galeri yazısı. %s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "Sitenizi hazır hale getirin"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "İlham Alma"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "Hesap bilgileri alınıyor"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "Vazgeç"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "Sitenize kişiliğini ve konuyu yansıtan bir ad verin. İlk izlenim önemlidir."; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML içerik"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "Başlık 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "Başlık 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "Başlık %d"; /* H1 Aztec Style */ "Heading 1" = "Başlık 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "Başlık 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "Yardım"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "Yardım simgesi"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "İşte yazının bugüne kadarki performansı."; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "Tuş takımını gizle"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "Denetleme için tut"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Harika!\nNeredeyse tamam"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jetpack bunu nasıl düzeltti?"; @@ -3709,7 +3080,7 @@ "I Like It" = "Beğendim"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "Fotoğrafçı Cameron Karsten'in çalışmalarından çok ilham alıyorum. Bu teknikleri bir sonraki adımda deneyeceğim"; /* Title of a button style */ "Icon & Text" = "Simge ve metin"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "Apple veya Google ile devam ederseniz ve bir WordPress.com hesabınız yoksa, bir hesap oluşturur ve _Hizmet Şartlarımızı kabul edersiniz."; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "%1$@ kullanıcısını kaldırırsanız artık bu siteye erişemeyecektir ancak %2$@ tarafından oluşturulmuş içerikler sitede kalmaya devam edecektir."; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "Görsel boyutu"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "Görsel yazısı. %s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "Görsel ayarları"; /* Hint for image title on image settings. */ -"Image title" = "Görsel başlığı"; - -/* No comment provided by engineer. */ -"Image width" = "Görsel genişliği"; +"Image title" = "Görsel başlığı"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "Görsel, %@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "Hemen"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "Bir kaç kelime ile bu sitenin ne ile ilgili olduğunu anlatın."; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "Pasif"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "Yanlış kullanıcı adı ya da parola. Lütfen giriş detaylarınızı girerek tekrar deneyin."; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "Etkilenen temel dosya"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "Ortam ekle"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "Ortam dosyası ekle"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "Seçilenleri ekle"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "Sitenize ilk eklentinin yüklenmesi 1 dakika kadar sürebilir. Bu sırada sitenizde değişiklik yapamayacaksınız."; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "Öykü Yayınlarına Giriş"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "Eğik"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "Sitenizin performansıyla ilgili güncel bilgiler edinin."; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "Bilinen kullanıcılar"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "Etiket"; -/* No comment provided by engineer. */ -"Landscape" = "Yatay"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "Dil"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "Geniş"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "En güncel yazı özeti"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "Daha fazla öğren"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "Tarih ve zaman biçimi hakkında daha fazlasını öğrenin."; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "Roller hakkında daha fazla bilgi edinin"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "Eski Simgeler"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "Size Yardımcı Olalım"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "Bittiğinde bana haber ver!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "Seviye %1$s. %2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "Seviye %s. Boş."; - /* Title for the app appearance setting for light mode */ "Light" = "Açık"; @@ -4202,19 +3489,7 @@ "Link To" = "Bağlantı"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "Bağlantı"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "Mevcut içeriğe bağla"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "Yorumlardaki bağlantılar"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "Liste stili"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "Yükle"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "Yükleniyor..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "Yerel"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "WordPress.com kullanıcı adı ve şifreniz ile oturum açın."; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "WordPress'den çıkış yapmak ister misiniz?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "Giriş isteğinin süresi doldu"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "Kütükler"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "Görünen o ki sitenize JetPack kurmuşsunuz. Tebrikler!\nİstatistikleri ve bildirimleri etkinleştirmek için WordPress.com hesabınızla giriş yapın."; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "Döngü"; /* Title of a button. */ "Lost your password?" = "Parolanızı mı unuttunuz?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "Ana gezinti"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "E-posta adresini kullanan hesapları eşleştir"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "Azami görsel yükleme boyutu"; /* Title for the video size settings option. */ "Max Video Upload Size" = "En büyük dosya yükleme boyutu"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "Medya Yüklemeleri"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "Ortam alanı"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "Medyada karşıya yüklenecek ilişkili dosya bulunmuyor."; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "Medya dosyası"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "Ortam, karşıya yüklenemeyecek kadar büyük (ortam boyutu: %1$@). İzin verilen ortam boyutu üst sınırı: %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "Ortam ön izleme hatası."; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "Ortam yüklendi (%ld dosya)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "Sitenizin çalışma süresini izleyin"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "Aylar"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "WordPress.com üzerinden daha fazlası"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "En Popüler Zaman"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "Aşağı indir"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "Menü öğesini taşı"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "Yorumu çöpe taşır."; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "Londra'da Görülecek Müzeler"; /* An example tag used in the login prologue screens. */ "Music" = "Müzik"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "Profilim"; @@ -4725,10 +3934,7 @@ "My Tickets" = "Biletlerim"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "En Sevdiğim On Kafe"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "Gradyanı özelleştirme bölümüne gider"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "Yardım lazım mı?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "Yeni Kara Liste Sözcüğü"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "Yeni Özel Uygulama Simgeleri"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "Yeni yazılar"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "En yeni"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "Sonraki"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "Sonraki adımlar"; /* Accessibility label for the next notification button */ "Next notification" = "Sonraki bildirim"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "Sonraki dönem"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "Hayır"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "Bağlantı yok"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "Öge yok"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "Henüz yorum yapılmamış"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "Yazı yok."; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "Güncel yazı yok"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "E-postayı görmüyor musunuz? İstenmeyen posta klasörünüzü kontrol edin."; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "Not: Sütun düzeni, temalar ve ekran boyutları arasında değişiklik gösterebilir"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "Hiçbir şey bulunamadı."; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "Numara"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "Sıralı liste"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "Tek Parola düğmesi"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "Sadece en alakalı istatistikleri görün. İhtiyaçlarınıza uygun yönelimler ekleyin."; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "Amanın!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "Blok eylemleri menüsünü aç"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "Cihaz ayarlarını aç"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "WordPress'i aç"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "Tam ortam seçicisini aç"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "Veya _site adresinizi girerek_ oturum açın."; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "Sıralı liste"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "Kuruluş"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "Diğer siteler"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "Değiştirildi"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "TELEFON"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "Sayfa"; -/* No comment provided by engineer. */ -"Page Link" = "Sayfa Bağlantısı"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "Sayfa taslaklara kaydedildi"; @@ -5363,7 +4494,7 @@ "Page Settings" = "Sayfa Ayarları"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "Sayfa arası"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "Sayfa sonu bloku. %s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "Sayfalama"; -/* No comment provided by engineer. */ -"Paragraph" = "Paragraf"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "Üst kategori"; @@ -5442,7 +4567,7 @@ "Paste URL" = "URL yapıştır"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "Sonrasına bloğu yapıştır"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "Biçimlendirmeden yapıştır"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "En sevdiğiniz ana sayfa düzenini seçin. Daha sonra özelleştirebilir ve değiştirebilirsiniz."; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "Paket"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "Paketler"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "Videoyu oynat"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "Lütfen yayınlamaya çalışmadan önce bir miktar içerik ekleyin."; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "Popüler diller"; -/* No comment provided by engineer. */ -"Portrait" = "Dikey"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "Yazı"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "Yazı kategorileri"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "Yazı biçimi"; -/* No comment provided by engineer. */ -"Post Link" = "Gönderi Bağlantısı"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "Yazı taslaklara geri yüklendi"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "%1$@ tarafından %2$@ üzerinden"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "Gönderi içerik ayarları"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Yazı oluşturma tarihi: %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "Yazı karşıya yüklenemedi"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "Gönderi meta ayarları"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "Yazı çöpe taşındı."; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "%1$@ başlığıyla, %2$@ adresinde, %3$@ tarafından yayımlandı."; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "Yazım etkinliği"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "Yazılar"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "Gönderiler Sayfası"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "Destekleyen Tenor"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "Ön Yükleme"; /* Browse premium themes selection title */ "Premium" = "Premium"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "Ziyaretçilerinizi neyin beklediğini görmek için yeni sitenizi önizleyin."; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "Önceki bildirim"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "Önceki dönem"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "Birincil site"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "Projeler"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "Herkese açık"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "Yayımlanıyor..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "Satın alımlar"; @@ -6023,29 +5070,14 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "Anında iletme bildirimleri iOS ayarlarında kapatıldı. Yeniden açmak için seçimi \"Bildirimlere İzin Ver\" olarak değiştirin."; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "Hızlı başla"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "App Store üzerinden uygulamamızı derecelendirin"; /* No comment provided by engineer. */ -"Read more" = "Read more"; - -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; +"Read more" = "Devamını oku"; /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "Şurada oku"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "Yeniden bağlandı"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "Kaynak"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "İlişkili yazılar, yazılarınızın altında sitenizin içeriği ile alakalı içerik gösterir"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "Bu yazıyı kaydedilen yazılarımdan kaldır."; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "Videoyu kaldır"; @@ -6226,7 +5249,7 @@ "Replace file" = "Dosyayı değiştir"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "Görseli değiştir"; /* No comment provided by engineer. */ "Replace image or video" = "Video veya görseli değiştir"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "Boyutlandır ve kırp"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "Çözünürlük"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "Siteyi eski haline getir"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "Bu noktaya kadar geri yükle"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "Yeniden kullanılabilir bloklar iOS için WordPress'te düzenlenemez"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "Bekleyen değişiklikleri geri al"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "Rol"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS gönderildi"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "Paragraf stilini seçin"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "Sosyal medya hesaplarınızı ekleme için %@ seçin"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "Uzaktan bildirimler gönder"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "Görselleri bizim sunucularımızdan yayınlayın"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "Yazılar sayfası olarak belirle"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "Devam et"; @@ -6819,10 +5818,7 @@ "Sharing error" = "Paylaşım hatası"; /* No comment provided by engineer. */ -"Shortcode" = "Shortcode"; - -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; +"Shortcode" = "Kısa kod"; /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "Başlığı göster"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "İlişkili yazıları göster"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = " İndirme düğmesini göster"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "Yazı içeriğini göster"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "Bölümü göster"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "Yalnızca kendi yazılarınız gösteriliyor"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "Şunun için istatistikler gösteriliyor:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "Sitenin gönderilerini gösterir."; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "Üye ol"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "Site dili"; -/* No comment provided by engineer. */ -"Site Logo" = "Site logosu"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "Site güvenliği ve performansı\n cebinizden"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "Site saat dilimi (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "Site başlığı başarıyla değiştirildi"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "Siteler"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "Takip edilecek siteler"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "Boyut"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "Sosyal"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "Bazı görsel yüklemeleri başarısız oldu. Bu eylem, başarısız olan görsellerin tümünü gönderiden kaldıracak.\nYine de kaydedilsin mi?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "Üzgünüm, bu kullanıcı adı müsait değil."; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "Üzgünüz, kullanıcı adı sadece küçük harfler (a-z) ve rakamlar içerebilir."; @@ -7152,23 +6112,17 @@ "Sort By" = "Sırala"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "Sıralama ve filtreleme"; /* Opens the Github Repository Web */ "Source Code" = "Kaynak kodu"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "Güney"; /* Label for showing the available disk space quota available for media */ "Space used" = "Kullanılan alan"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "Sitenizi hızlandırın"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "Standart"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "Yeniden başla"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "Yazmaya başla..."; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "Üstünü çiz"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "Değerlendirme için gönderiliyor..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "Gündem dizini başarıyla temizlendi"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "Destek"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "Site değiştir"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "Sistem varsayılanı"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "İçerik tablosu"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "%@ gösteren tablo "; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "Etiket"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "Etiket Bağlantısı"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "Etiket zaten var"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "Ne tür bir site oluşturmak istediğinizi bize söyleyin"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "Şartlar ve koşullar"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "Sadece metin"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "Bunun yerine bana kodu mesaj olarak gönderin"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "%2$@ tarafından hazırlanan %1$@ temasını seçtiğiniz için teşekkürler"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "Android için WordPress uygulaması büyük bir görsel gelişim yaşadı"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "Dünyanın En İyi Hayranları"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "Uygulama sunucu cevabını tanıyamadı. Lütfen sitenizin ayarlarını kontrol edin."; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Bu sunucunun sertifikası geçersiz. “%@” taklidi yapan bir siteye bağlanıyor olabilirsiniz ki bu kişisel bilgilerinizin ele geçirilebilmesi açısından büyük bir risktir.\n\nSertifikaya güvenip devam etmek istiyor musunuz?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "%1$@ dosyasında kötü amaçlı bir kod modeli var."; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "Video ortam kütüphanesine eklenemez."; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "Tema etkinleştirildi"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "%@ konumuna bağlanırken bir sorun oluştu. Duyuruya devam etmek için yeniden bağlanın."; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "Bu uygulama yazılarınıza fotoğraf ve\/veya video eklemek için cihazınızın görsel kitaplığa erişim izni istiyor. Buna izin vermek istiyorsanız lütfen gizlilik ayarlarını değiştirin."; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "Bu alan adı kullanılamaz"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "Tehdit yok sayıldı."; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "Küçük resim"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "Başlık"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "Kategori başlığı zorunludur."; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "Yazılarınızda fotoğraf veya video eklemek için."; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "Bu Google hesabı ile devam etmek için lütfen ilk önce WordPress.com parolanızla giriş yapın. Bu sadece bir kez sorulacak."; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "Yazılarınızda kullanacağınız fotoğraf veya videoları çekmek için."; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "HTML kaynak koduna geç "; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "Sıralı liste biçimini değiştirir"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "Toplam kelime"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "Trafik"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "%s öğesini şuna dönüştür:"; + +/* No comment provided by engineer. */ +"Transform block…" = "Bloku dönüştür…"; + /* No comment provided by engineer. */ "Translate" = "Çevir"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter kullanıcı adı"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "Daha fazla fikir edinmek için anahtar sözcük girin"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "Adlandırılmamış site"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "Sırasız liste"; @@ -8382,7 +7213,7 @@ "Unread" = "Okunmamış"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "Cevaplanmamış"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "Kaydedilmemiş değişiklikler"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "Başlıksız"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "Yedi güne kadar kayıtlar saklanır."; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "Ortam dosyası yükle"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "Site simgesini karşıya yükleyin"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "Site logonuz olması için bir görsel yükleyin veya ortam kitaplığınızdan bir görsel seçin"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "Yükleme başarısız oldu"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "Mevcut konumu kullan"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Blok düzenleyici kullan"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "Ekip üyelerinizi tek tek davet etmenize gerek kalmadan, bu bağlantıyla hepsini getirebilirsiniz. Ekibinizin üyelerini tek tek davet etmek zorunda kalmadan dahil etmek için bu bağlantıyı kullanın. Bu bağlantıya tıklayan herkes, başkasından bile almış olsa, kurumunuza dahil olabilir. O nedenle, sadece güvendiğiniz kişilerle paylaşmaya dikkat edin."; /* No comment provided by engineer. */ "Use this site" = "Bu siteyi kullan"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "E-posta adresinizi doğrulayın - Talimatlar %@ adresinde gönderildi"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "Sürüm"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "%@ sürümü hazır"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "Video önizlemesi kullanılamıyor"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "Video yazısı. %s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "Video dışa aktarımı iptal edildi."; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "Video ayarları"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "Video, %@"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "İzleyiciler"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "Savunmasız Tema %1$@ (sürüm %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP Yönetim"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "Okuyucuya hoşgeldiniz"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "Dünyanın en popüler web sitesi oluşturucusuna hoş geldiniz."; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "I-ıh, bu geçerli bir iki adımlı doğrulama kodu değil. Kodunuzu iki kere kontrol edin ve tekrar deneyin!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "Bileşenler"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "Herkese açık olarak görüntülenmeyecek."; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "Bu güçlü düzenleyici ile hareket halindeyken yazı gönderebilirsiniz."; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress uygulama ayarları"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "Cevap yazın…"; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "Kod yaz..."; /* Title for the writing section in site settings screen */ "Writing" = "Yazma"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Sitenizin adresi Safari ile sitenizi ziyaret ettiğinizde tepede görüntülenir."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "Siteniz oluşturuldu!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "Şimdi yeni yazılar için blok düzenleyiciyi kullanıyorsunuz, harika! Klasik düzenleyicide değişiklik yapmak istiyorsanız, Sitem > Site Ayarları'na gidin."; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[YORUM]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "bir saat"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "ses"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "%@ tarafından"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "bağlantılar"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "belge taslağı"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "birimi değiştirmek için çift dokunun"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "ör. 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "ör. 44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "takipçi"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/benim-site-adresim (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "görsel"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "galeride %1$d \/ %2$d resim"; /* Text for related post cell preview */ "in \"Apps\"" = "\"Uygulamalar\" içinde"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "bugün daha sonra"; -/* No comment provided by engineer. */ -"link" = "bağlantı"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = ","; -/* No comment provided by engineer. */ -"ordered list" = "sıralı liste"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "diğer"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "parola"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "telefon numarası"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "gönderi"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "özet"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "bu ögeler silinecekler:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "bugün"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, siteler, site, bloglar, blog"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "yeni alan adınız %@ ayarlanıyor. Siteniz sevinçten taklalar atıyor!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "• Alan adları"; diff --git a/WordPress/Resources/zh-Hans.lproj/Localizable.strings b/WordPress/Resources/zh-Hans.lproj/Localizable.strings index de46d4c50f4e..8e224c2417fa 100644 --- a/WordPress/Resources/zh-Hans.lproj/Localizable.strings +++ b/WordPress/Resources/zh-Hans.lproj/Localizable.strings @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d 篇未读文章"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s(%2$d,共%3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s转换为%2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s. %2$s是%3$s%4$s。"; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 个字词,%2$li 个字符"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s区块选项"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s 区块。空白"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s 区块。此区块包含无效内容"; -/* translators: %s: Number of comments */ -"%s comment" = "%s条评论"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s标签"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "不完全支持 '%s'"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ 地址行 %@"; -/* No comment provided by engineer. */ -"- Select -" = "- 选择 -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ “区块”是用以描述在组合\n\/\/ 到一起时便能形成页面的\n\/\/ 内容或版式项目的\n\/\/ 抽象名词。\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "已上传 1 篇草稿文章"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "发现1个潜在威胁"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "不到 1 小时"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "大雪纷飞<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "“更多”按钮包含显示共享按钮的下拉菜单"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "您站点文章的日历。"; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "您最常使用的标签云。"; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "允许访问者在您的站点内不断浏览的区块集合。"; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "已设置特色图片。轻点以更改该图片。"; /* Title for a threat */ "A file contains a malicious code pattern" = "一个包含恶意代码模式的文件"; -/* No comment provided by engineer. */ -"A link to a category." = "目标分类的链接。"; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "一个指向自定义URL的链接。"; - -/* No comment provided by engineer. */ -"A link to a page." = "目标页面的链接。"; - -/* No comment provided by engineer. */ -"A link to a post." = "目标文章的链接。"; - -/* No comment provided by engineer. */ -"A link to a tag." = "目标标签的链接。"; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "此帐户上的站点列表。"; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "帮助您增加站点受众的一系列步骤。"; -/* No comment provided by engineer. */ -"A single column within a columns block." = "列区块中的单个列。"; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "名为“%@”的标签已存在。"; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "地址"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = "关于"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "添加新统计信息卡片"; -/* No comment provided by engineer. */ -"Add Template" = "添加模板"; - /* No comment provided by engineer. */ "Add To Beginning" = "添加到开始"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "添加主题"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "添加一个在多列中显示内容的区块,您可以在其中添加任何您喜欢的内容区块。"; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "加入用来显示其他站点内容的区块,如Twitter、Instagram或YouTube。"; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "在此处添加自定义 CSS URL 以将其加载到阅读器中。 如果您在本地运行 Calypso,则可能类似于:http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "添加可下载文件的链接。"; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "添加页面,链接或其他项到导航。"; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "添加自托管站点"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "添加替代文本"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "加入有文字浮层的图像或视频,适合作为页眉。"; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "添加任何主题"; /* No comment provided by engineer. */ "Add caption" = "添加说明"; -/* translators: placeholder text used for the citation */ -"Add citation" = "添加引文"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "添加自定义 HTML 代码,并在编辑的同时进行预览。"; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "添加图像或头像以表示此新帐户。"; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "添加段落区块"; -/* translators: placeholder text used for the quote */ -"Add quote" = "添加报价"; - /* Add self-hosted site button */ "Add self-hosted site" = "添加自托管站点"; @@ -602,18 +492,9 @@ /* Placeholder text for tags module in share extension. */ "Add tags" = "添加标签"; -/* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "添加符合间距和标签的文字,也可设置样式。"; - /* No comment provided by engineer. */ "Add text…" = "添加文字…"; -/* No comment provided by engineer. */ -"Add the author of this post." = "添加此文章的作者。"; - -/* No comment provided by engineer. */ -"Add the date of this post." = "添加此文章的日期。"; - /* No comment provided by engineer. */ "Add this email link" = "添加此电子邮件链接"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "添加此电话链接"; -/* No comment provided by engineer. */ -"Add tracks" = "天家音轨"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "在区块之间添加空白区域,并自定义其高度。"; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "正在添加站点功能"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "相册"; -/* No comment provided by engineer. */ -"Align column center" = "列居中对齐"; - -/* No comment provided by engineer. */ -"Align column left" = "列靠左对齐"; - -/* No comment provided by engineer. */ -"Align column right" = "列靠右对齐"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "对齐方式"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "出现错误。"; -/* No comment provided by engineer. */ -"An example title" = "标题示例"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "发生了未知错误。请重试。"; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "赞成评论。"; -/* No comment provided by engineer. */ -"Archive Title" = "归档标题"; - -/* No comment provided by engineer. */ -"Archive title" = "归档标题"; - -/* No comment provided by engineer. */ -"Archives settings" = "归档设置"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "是否确定要取消并放弃更改?"; @@ -910,18 +764,12 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "是否确定要更新?"; -/* No comment provided by engineer. */ -"Area" = "区域"; - /* An example tag used in the login prologue screens. */ "Art" = "艺术"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "自 2018 年 8 月 1 日起,Facebook 不再允许直接将文章共享到 Facebook 个人资料。与 Facebook 页面的关联保持不变。"; -/* No comment provided by engineer. */ -"Aspect Ratio" = "宽高比"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "以链接形式附加文件"; @@ -931,9 +779,6 @@ /* No comment provided by engineer. */ "Audio Player" = "音频播放器"; -/* No comment provided by engineer. */ -"Audio caption text" = "音频说明文字"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "音频说明。%s"; @@ -1080,6 +925,15 @@ /* No comment provided by engineer. */ "Block cannot be rendered inside itself." = "区块不能在其内部渲染。"; +/* translators: displayed right after the block is copied. */ +"Block copied" = "区块已拷贝"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "区块已剪切"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "区块已复制"; + /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "已启用区块编辑器"; @@ -1089,6 +943,15 @@ /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "阻止恶意登录尝试"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "区块已粘贴"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "区块已删除"; + +/* No comment provided by engineer. */ +"Block settings" = "区块设置"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "隐藏此站点"; @@ -1118,31 +981,16 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "博客查看者"; -/* No comment provided by engineer. */ -"Body cell text" = "Body单元格文字"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "粗体"; -/* No comment provided by engineer. */ -"Border" = "边框"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "将评论线程划分到多个页面。"; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "简要描述该链接以帮助屏幕阅读器用户。"; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "浏览我们所有的主题,寻找最适合您的主题。"; -/* No comment provided by engineer. */ -"Browse all templates" = "浏览所有模板"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "浏览所有模板。将会打开导航侧面板中的模板菜单。"; - /* No comment provided by engineer. */ "Browser default" = "浏览器默认"; @@ -1159,10 +1007,7 @@ "Button Style" = "按钮风格"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "按钮显示在一列中。"; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "按钮显示在一行中。"; +"ButtonGroup" = "按钮分组"; /* Label for the post author in the post detail. */ "By " = "作者"; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "正在计算..."; -/* No comment provided by engineer. */ -"Call to Action" = "号召性用语"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "照相机"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "标题"; -/* No comment provided by engineer. */ -"Captions" = "无障碍字幕"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "小心!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "类别"; -/* No comment provided by engineer. */ -"Category Link" = "分类链接"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "没有分类目录名。"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "证书错误"; -/* No comment provided by engineer. */ -"Change Date" = "变更日期"; - /* Account Settings Change password label Main title */ "Change Password" = "修改密码"; @@ -1340,9 +1173,6 @@ /* No comment provided by engineer. */ "Change block position" = "更改区块位置"; -/* No comment provided by engineer. */ -"Change column alignment" = "修改列对齐方式"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "更改失败"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "正在更改用户名"; -/* No comment provided by engineer. */ -"Chapters" = "章节"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "检查购买内容时出错"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "选择域"; -/* No comment provided by engineer. */ -"Choose existing" = "选择现有"; - /* No comment provided by engineer. */ "Choose file" = "选择文件"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "清除所有旧的活动日志?"; -/* No comment provided by engineer. */ -"Clear customizations" = "清除自定义项"; - /* No comment provided by engineer. */ "Clear search" = "清除搜索"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "关闭评论"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "关闭全局样式侧边栏"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "关闭列表试图边栏"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "关闭设置边栏"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "关闭“我”屏幕"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "代码"; -/* No comment provided by engineer. */ -"Code is Poetry" = "代码如诗"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "已收起,%i 个已完成的任务,切换会展开这些任务的列表"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "丰富多彩的背景"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "列%d文字"; - -/* No comment provided by engineer. */ -"Column count" = "列数"; - -/* No comment provided by engineer. */ -"Column settings" = "列设置"; - -/* No comment provided by engineer. */ -"Columns" = "列"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "将多个区块组合成一组。"; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "结合使用照片、视频和文字,创作您的访客一定会喜欢的引人入胜、吸引点击量的故事文章。"; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "连接"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "联系"; - /* Support email label. */ "Contact Email" = "联系电子邮件地址"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "联系支持"; -/* No comment provided by engineer. */ -"Contact us" = "联系我们"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "请通过 %@ 与我们联系"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "内容结构\n区块:%1$li,字词:%2$li,字符:%3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "此区块前的内容将在您的归档页上作为摘要显示。"; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "继续使用 Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "转换为区块"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "转换为有序列表"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "转换为无序列表"; - /* An example tag used in the login prologue screens. */ "Cooking" = "烹饪"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "复制URL到剪贴板。"; - /* No comment provided by engineer. */ "Copied block" = "已拷贝区块"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "将链接复制到评论中"; /* No comment provided by engineer. */ -"Copy URL" = "复制 URL"; +"Copy block" = "复制区块"; /* No comment provided by engineer. */ "Copy file URL" = "复制文件 URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "无法检测站点购买内容。"; -/* translators: 1. Error message */ -"Could not edit image. %s" = "无法编辑图像。%s"; - /* Title of a prompt. */ "Could not follow site" = "无法关注站点"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "创建故事文章"; -/* No comment provided by engineer. */ -"Create Table" = "创建表格"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "创建 WordPress.com 站点"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "创建标签"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "使用水平分隔符分隔创意或各个部分。"; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "创建项目符号列表或编号列表。"; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "创建新站点"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "为您的业务、杂志或个人博客创建新站点;或连接现有的 WordPress 站点。"; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "创建一个新的模板组建或从列表中选择现有的模板组建。"; - /* Accessibility hint for create floating action button */ "Create a post or page" = "创建文章或页面"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "创建文章、页面或故事"; -/* No comment provided by engineer. */ -"Create a template part" = "创建模板组建"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "创建并保存内容以在您的站点上重复使用。更新该区块后,这些变更将应用​​至所有使用该区块的位置。"; - /* Label that describes the download backup action */ "Create downloadable backup" = "创建可下载的备份"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "当前正在恢复:%1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "自定义链接"; - /* Placeholder for Invite People message field. */ "Custom message…" = "自定义消息..."; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "针对赞、评论、关注等项目自定义您的站点设置。"; +/* No comment provided by engineer. */ +"Cut block" = "剪切区块"; + /* Title for the app appearance setting for dark mode */ "Dark" = "深色"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017 年 12 月 17 日"; -/* No comment provided by engineer. */ -"December 6, 2018" = "2018年12月6日"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "默认"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "默认 URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "基于面积的默认值(%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "新文章的默认设置"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "删除站点错误"; -/* No comment provided by engineer. */ -"Delete column" = "删除列"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "删除菜单"; -/* No comment provided by engineer. */ -"Delete row" = "删除行"; - /* Delete Tag confirmation action title */ "Delete this tag" = "删除此标签"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "描述"; -/* No comment provided by engineer. */ -"Descriptions" = "描述"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "设计"; /* Title for the desktop web preview */ "Desktop" = "台式设备"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "从模板组建分离区块"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "详情"; @@ -2354,96 +2088,9 @@ User's Display Name */ "Display Name" = "显示名称"; -/* No comment provided by engineer. */ -"Display a legacy widget." = "显示旧版小工具。"; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "显示所有分类的列表。"; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "显示所有页面的列表。"; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "显示最新评论的列表。"; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "显示您最近的文章列表,不包括置顶文章。"; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "显示您的最新文章的列表。"; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "显示您的文章的月度归档。"; - -/* No comment provided by engineer. */ -"Display a post's categories." = "显示文章的分类。"; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "显示文章的评论数。"; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "显示文章的评论表单。"; - -/* No comment provided by engineer. */ -"Display a post's comments." = "显示文章的评论。"; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "显示文章摘要。"; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "显示文章的特色图片。"; - -/* No comment provided by engineer. */ -"Display a post's tags." = "显示文章标签。"; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "显示链接到社交媒体个人资料或网站的图标。"; - -/* No comment provided by engineer. */ -"Display as dropdown" = "以下拉菜单显示"; - -/* No comment provided by engineer. */ -"Display author" = "显示作者"; - -/* No comment provided by engineer. */ -"Display avatar" = "显示头像"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "显示符合间距和标签的代码段。"; - -/* No comment provided by engineer. */ -"Display date" = "显示日期"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "从任意RSS或Atom feed中显示条目。"; - -/* No comment provided by engineer. */ -"Display excerpt" = "显示摘要"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "显示链接至您的社交媒体个人资料或网站的图标。"; - -/* No comment provided by engineer. */ -"Display login as form" = "以表单形式显示登录"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "显示丰富图库中的多张图像。"; - /* No comment provided by engineer. */ "Display post date" = "显示文章日期"; -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "根据查询的对象显示归档标题。"; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "查看归档时显示分类、标签和自定义分类法的描述。"; - -/* No comment provided by engineer. */ -"Display the query title." = "显示查询标题。"; - -/* No comment provided by engineer. */ -"Display the title as a link" = "以链接方式显示标题"; - /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "在此处显示您站点在所有时间的统计信息。在 WordPress 应用程序的站点统计信息中进行配置。"; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "在此处显示您站点当天的统计数据。在 WordPress 应用程序的站点统计信息中进行配置。"; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "显示分页数列表,以便排序。"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "根据查询结果显示的文章列表。"; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "如果适用,显示下一组\/上一组文章的分页导航。"; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "显示并允许编辑站点的名称。站点标题通常会出现在浏览器标题栏、搜索结果等中。在 \"设置\">\"常规 \"中也可编辑。"; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "显示一篇文章或页面的内容。"; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "显示当前文章评论的链接。"; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "显示与当前文章相邻的下一篇或上一篇文章的链接。"; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "显示“下一篇文章”页面链接。"; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "显示与当前文章相邻的下一篇文章的链接。"; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "显示与当前文章相邻的上一篇文章的链接。"; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "显示“上一篇文章”页面链接。"; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "显示文章、页面或任何其他内容类型的标题。"; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "文档:%@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "不必担心"; -/* No comment provided by engineer. */ -"Dots" = "点"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "双击并按住可向上或向下移动此菜单项"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "双击打开操作表以编辑、替换或清除图像"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "双击以打开带有可用选项的操作表页"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "双击可打开底片以编辑、替换或清除图像"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "双击以打开带有可用选项的底部表页"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "轻点两次以恢复上次的更改"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "下载备份"; -/* No comment provided by engineer. */ -"Download button settings" = "下载按钮设置"; - -/* No comment provided by engineer. */ -"Download button text" = "下载按钮文字"; - /* Title for the button that will download the backup file. */ "Download file" = "下载文件"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "下载您的模板和模板组建。"; - /* Label for number of file downloads. */ "Downloads" = "下载"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "草稿"; -/* No comment provided by engineer. */ -"Drop cap" = "首字下沉"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "复制"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "杨牧 - 热兰遮城 - 1975 年\n对方已经进入了燠热的蝉声,自石级下仰视,危危阔叶树,\n张开便是风的床褥——巨炮生锈。而我不知如何于硝烟疾走的历史中,冷静蹂躏她那一袭蓝花的新衣服。有一份灿烂极令我欣喜,欧洲的长剑斗胆挑破巅倒的胸襟。我们拾级而上。"; +/* No comment provided by engineer. */ +"Duplicate block" = "复制区块"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "东"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "编辑“%@”区块"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "编辑%s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "编辑禁止名单关键词"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "编辑文章"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "编辑 RSS 网址"; - -/* No comment provided by engineer. */ -"Edit URL" = "编辑网址"; - /* No comment provided by engineer. */ "Edit file" = "编辑文件"; /* No comment provided by engineer. */ "Edit focal point" = "编辑焦点"; -/* No comment provided by engineer. */ -"Edit gallery image" = "编辑库图像"; - /* No comment provided by engineer. */ "Edit image" = "编辑图像"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "编辑共享按钮"; -/* No comment provided by engineer. */ -"Edit table" = "编辑表格"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "先编辑文章"; -/* No comment provided by engineer. */ -"Edit track" = "编辑音轨"; - /* No comment provided by engineer. */ "Edit using web editor" = "使用 Web 编辑器进行编辑"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "电子邮件已发送!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "嵌入Amazon Kindle内容。"; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "嵌入Cloudup内容。"; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "嵌入CollegeHumor内容。"; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "嵌入Crowdsignal(Polldaddy)内容。"; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "嵌入Flickr内容。"; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "嵌入Imgur内容。"; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "嵌入Issuu内容。"; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "嵌入Kickstarter内容。"; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "嵌入Meetup.com内容。"; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "嵌入Mixcloud内容。"; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "嵌入ReverbNation内容。"; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "嵌入Screencast内容。"; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "嵌入Scribd内容。"; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "嵌入Slideshare内容。"; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "嵌入SmugMug内容。"; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "嵌入SoundCloud内容。"; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "嵌入Speaker Deck内容。"; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "嵌入Spotify内容。"; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "嵌入 Dailymotion 视频。"; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "嵌入Facebook 帖子。"; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "嵌入Reddit讨论串。"; - -/* No comment provided by engineer. */ -"Embed a TED video." = "嵌入TED视频。"; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "嵌入TikTok视频。"; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "嵌入Tumblr文章。"; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "嵌入VideoPress视频。"; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "嵌入Vimeo视频。"; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "嵌入WordPress文章。"; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "嵌入WordPress.tv视频。"; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "嵌入YouTube视频。"; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "嵌入简单音频播放器。"; - -/* No comment provided by engineer. */ -"Embed a tweet." = "嵌入推文。"; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "从您的媒体库中嵌入视频,或上传新视频。"; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "嵌入Animoto视频。"; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "嵌入Instagram贴文。"; - -/* translators: %s: filename. */ -"Embed of %s." = "作者 %s"; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "嵌入选定的PDF文件。"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "嵌入来自%s的内容"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "来自%s的嵌入内容不能在编辑器中预览。"; - -/* No comment provided by engineer. */ -"Embedding…" = "嵌入中…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "空"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "空 URL"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "空区块;开始写作或按正斜杠来选择区块"; - /* Button title for the enable site notifications action. */ "Enable" = "启用"; @@ -2908,15 +2372,9 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "结束日期"; -/* No comment provided by engineer. */ -"English" = "英语"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "进入全屏"; -/* No comment provided by engineer. */ -"Enter URL here…" = "在此输入URL…"; - /* No comment provided by engineer. */ "Enter URL to embed here…" = "键入要在此嵌入的URL…"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "输入密码以保护这篇文章"; -/* No comment provided by engineer. */ -"Enter address" = "输入地址"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "在上面输入不同的字词,我们会查找与其相符的地址。"; @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "更新加速站点加载设置时出错"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "活动"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "了解各个套餐"; -/* No comment provided by engineer. */ -"Export" = "导出"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "导出内容"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "特色图片未加载"; -/* No comment provided by engineer. */ -"February 21, 2019" = "2019年2月21日"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "正在提取主题..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "文件类型"; -/* No comment provided by engineer. */ -"Fill" = "填充"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "使用密码管理器填写"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "名字"; -/* No comment provided by engineer. */ -"Five." = "五、"; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "全部修复"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "已修复"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "定宽单元格"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "修复威胁"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "足球"; -/* No comment provided by engineer. */ -"Footer cell text" = "页脚单元格文字"; - -/* No comment provided by engineer. */ -"Footer label" = "页脚标签"; - -/* No comment provided by engineer. */ -"Footer section" = "页脚章节"; - -/* No comment provided by engineer. */ -"Footers" = "页脚"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "为方便起见,我们已预先填充您的 WordPress.com 联系信息。请检查此信息,以确保这是您想在此域上使用的正确信息。"; -/* No comment provided by engineer. */ -"Format settings" = "格式设定"; - /* Next web page */ "Forward" = "转发"; -/* No comment provided by engineer. */ -"Four." = "四、"; - /* Browse free themes selection title */ "Free" = "免费"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "图库说明文字"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "图库说明。%s"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "放弃"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "给引文提供视觉强调。“在引用其他人时,我们引用自己。”——胡里奥·科塔萨尔"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "给您文中的引用增加视觉强调的空间。"; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "为您的站点提供一个反映其个性和主题的名称。 第一印象很重要!"; -/* No comment provided by engineer. */ -"Global Styles" = "全局样式"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML 内容"; -/* No comment provided by engineer. */ -"HTML element" = "HTML 元素"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "标题 1"; @@ -3578,21 +2982,6 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "标题 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header单元格文字"; - -/* No comment provided by engineer. */ -"Header label" = "标题标签"; - -/* No comment provided by engineer. */ -"Header section" = "页头章节"; - -/* No comment provided by engineer. */ -"Headers" = "页眉"; - -/* No comment provided by engineer. */ -"Heading" = "标题"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ "Heading %d" = "标题%d"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "六级标题"; -/* No comment provided by engineer. */ -"Heading text" = "标题文字"; - -/* No comment provided by engineer. */ -"Height in pixels" = "高度(像素)"; - /* Help button */ "Help" = "帮助"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "“帮助”图标"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "帮助访客找到您的内容。"; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "以下是该文章到目前为止的效果。"; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "隐藏键盘"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "在完整内容页上隐藏摘要"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "保持审核状态"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "主页"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "太棒了!\n马上就好"; -/* No comment provided by engineer. */ -"Horizontal" = "水平"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jetpack 如何修复该问题?"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "如果您继续使用 Apple 或 Google,并且还没有 WordPress.com 帐户,则需要创建一个帐户,并同意我们的_服务条款_。"; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "如果您输入了自定义标签,它将在标题前加上前缀。"; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "删除 %1$@ 后,此用户将无法再访问此站点,但是 %2$@ 创建的所有内容仍会保留在此站点上。"; @@ -3768,9 +3136,6 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "图片尺寸"; -/* No comment provided by engineer. */ -"Image caption text" = "图片说明文字"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "图片说明。%s"; @@ -3778,17 +3143,11 @@ "Image settings" = "图像设置"; /* Hint for image title on image settings. */ -"Image title" = "图像标题"; - -/* No comment provided by engineer. */ -"Image width" = "图片宽度"; +"Image title" = "图像标题"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "图像,%@"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "图像、日期和标题"; - /* Undated post time label */ "Immediately" = "立即"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "简要描述该站点。"; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "简要描述该站点。"; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "曼查有个地方,地名就不用提了,不久前住着一位贵族。他那类贵族,矛架上有一支长矛,还有一面皮盾、一匹瘦马和一只猎兔狗。"; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "引用别人的说法,是为了加强自己的论述。"; - /* Describes a status of a plugin */ "Inactive" = "未激活"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "用户名或密码有误。请尝试再次输入您的登录详细信息。"; -/* No comment provided by engineer. */ -"Indent" = "增加缩进"; - -/* No comment provided by engineer. */ -"Indent list item" = "缩进列表项"; - /* Title for a threat */ "Infected core file" = "已被感染的核心文件"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "插入多媒体"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "插入表格来共享数据。"; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "插入表格——共享图表和数据的完美选项。"; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "通过WordPress简码加入额外的自定义元素。"; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "插入图像用于视觉声明。"; - -/* No comment provided by engineer. */ -"Insert column after" = "在后面插入列"; - -/* No comment provided by engineer. */ -"Insert column before" = "在前面插入列"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "插入媒体"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "插入诗歌,使用特殊的空白格式,或引用歌词。"; - -/* No comment provided by engineer. */ -"Insert row after" = "在后面插入行"; - -/* No comment provided by engineer. */ -"Insert row before" = "在前面插入行"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "插入所选内容"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "在站点上安装第一个插件最多需要 1 分钟。在此期间,您将无法更改自己的站点。"; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "插入新的章节并整理内容来让您的访客(和搜索引擎)理解您的内容的结构。"; - /* Stories intro header title */ "Introducing Story Posts" = "故事文章简介"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "斜体"; -/* No comment provided by engineer. */ -"Jazz Musician" = "爵士音乐家"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "使您站点的性能始终不会落伍。"; -/* No comment provided by engineer. */ -"Kind" = "类型"; - /* Autoapprove only from known users */ "Known Users" = "已知用户"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "标签"; -/* No comment provided by engineer. */ -"Landscape" = "横屏"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "语言"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "语言标签(en、zh-CN、zh-HK、zh-TW等)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "大"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "最新的文章摘要"; -/* No comment provided by engineer. */ -"Latest comments settings" = "最新评论设置"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "了解更多"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "详细了解日期和时间格式。"; -/* No comment provided by engineer. */ -"Learn more about embeds" = "了解关于嵌入的更多内容"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "了解更多关于角色的信息"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "旧图标"; -/* No comment provided by engineer. */ -"Legacy Widget" = "旧版微件"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "让我们助您一臂之力"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "完成时通知我!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "级别 %1$s。%2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "级别 %s。空白。"; - /* Title for the app appearance setting for light mode */ "Light" = "明亮"; @@ -4201,21 +3488,9 @@ /* Image link option title. */ "Link To" = "链接到"; -/* No comment provided by engineer. */ -"Link color" = "链接颜色"; - -/* No comment provided by engineer. */ -"Link label" = "链接标签"; - -/* No comment provided by engineer. */ -"Link rel" = "链接rel"; - /* No comment provided by engineer. */ "Link to" = "链接到"; -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "到%s的链接"; - /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "链接到现有内容"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "评论中的链接"; -/* No comment provided by engineer. */ -"Links shown in a column." = "链接显示在一列中。"; - -/* No comment provided by engineer. */ -"Links shown in a row." = "链接显示在一行中。"; - -/* No comment provided by engineer. */ -"List" = "列表"; - -/* No comment provided by engineer. */ -"List of template parts" = "模板组建列表"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "列表样式"; -/* No comment provided by engineer. */ -"List text" = "链接文字"; - /* Title of the screen that load selected the revisions. */ "Load" = "加载"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "正在载入..."; -/* No comment provided by engineer. */ -"Loading…" = "正在加载"; - /* Status for Media object that is only exists locally. */ "Local" = "本地"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "使用您的 WordPress.com 用户名和密码登录。"; -/* No comment provided by engineer. */ -"Log out" = "了解更多"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "注销 WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "登录请求已过期"; -/* No comment provided by engineer. */ -"Login\/out settings" = "登录\/注销设置"; - -/* No comment provided by engineer. */ -"Logos Only" = "只有标志"; - /* No comment provided by engineer. */ "Logs" = "日志"; @@ -4397,9 +3645,6 @@ /* No comment provided by engineer. */ "Loop" = "循环"; -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; - /* Title of a button. */ "Lost your password?" = "忘记密码?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "主要导航"; -/* No comment provided by engineer. */ -"Main color" = "主颜色"; - -/* No comment provided by engineer. */ -"Make template part" = "制作模版组建"; - -/* No comment provided by engineer. */ -"Make title a link" = "给标题加上链接"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "使用电子邮件地址匹配帐户"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "图片上传尺寸上限"; /* Title for the video size settings option. */ "Max Video Upload Size" = "视频上传尺寸上限"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "摘要的最大字数"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "2019年5月7日"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "媒体预览加载失败。"; -/* No comment provided by engineer. */ -"Media settings" = "媒体设置"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "已上传媒体(%ld 个文件)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "监控您站点的正常运行时间"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "勃朗峰高耸:积雪、宁静、安恬。"; - /* Title of Months stats filter. */ "Months" = "月"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "WordPress.com 的更多内容"; -/* No comment provided by engineer. */ -"More tools & options" = "更多工具和选项"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "人气最高的时间"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "下移"; -/* No comment provided by engineer. */ -"Move image backward" = "后移图像"; - -/* No comment provided by engineer. */ -"Move image forward" = "前移图像"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "移动菜单项"; @@ -4701,9 +3913,6 @@ /* An example tag used in the login prologue screens. */ "Music" = "音乐"; -/* No comment provided by engineer. */ -"Muted" = "静音"; - /* Link to My Profile section My Profile view title */ "My Profile" = "我的个人资料"; @@ -4727,9 +3936,6 @@ /* Example post title used in the login prologue screens. */ "My Top Ten Cafes" = "我的十大咖啡馆"; -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; - /* Accessibility label for the Email text field. Name text field placeholder */ "Name" = "名称"; @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "导航以自定义渐变"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "导航(水平)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "导航(垂直)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "需要帮助?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "添加禁止名单关键词"; -/* No comment provided by engineer. */ -"New Column" = "新列"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "新的自定义应用图标"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "新文章"; -/* No comment provided by engineer. */ -"New template part" = "新建模版组建"; - /* Screen title, where users can see the newest plugins */ "Newest" = "最新"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "继续"; -/* No comment provided by engineer. */ -"Next Page" = "下一页"; - /* Table view title for the quick start section. */ "Next Steps" = "后续步骤"; /* Accessibility label for the next notification button */ "Next notification" = "下一条通知"; -/* No comment provided by engineer. */ -"Next page link" = "下一页链接"; - /* Accessibility label */ "Next period" = "后一个时段"; -/* No comment provided by engineer. */ -"Next post" = "下篇文章"; - /* Label for a cancel button */ "No" = "否"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "无连接"; -/* No comment provided by engineer. */ -"No Date" = "没有日期"; - /* List Editor Empty State Message */ "No Items" = "没有条目"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "暂无评论"; -/* No comment provided by engineer. */ -"No comments." = "没有评论"; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "无文章。"; -/* No comment provided by engineer. */ -"No preview available." = "没有可用的预览。"; - /* A message title */ "No recent posts" = "无近期文章"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "没有看到电子邮件? 请检查您的垃圾邮件文件夹。"; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "注:自动播放音频会对一些访客造成可用性问题。"; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "注:自动播放视频会对一些访客造成可用性问题。"; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "注意:主题和屏幕尺寸之间的分栏布局可能会有所不同"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "注意:大多数手机和平板电脑浏览器不会显示嵌入式PDF。"; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "没有找到。"; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "号码"; -/* No comment provided by engineer. */ -"Number of comments" = "评论数量"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "编号列表"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "一个密码按钮"; -/* No comment provided by engineer. */ -"One column" = "单列"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "技术上最难的事情之一就是扰乱自己。"; - -/* No comment provided by engineer. */ -"One." = "一、"; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "仅查看相关性较大的统计信息。添加数据分析以符合您的需求。"; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "糟糕!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "打开区块操作菜单"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "打开设备设置"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "打开 WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "打开区块导航"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "打开完整媒体选择器"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "或通过 _输入您的站点地址_ 登录。"; -/* No comment provided by engineer. */ -"Ordered" = "顺序"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "有序列表"; -/* No comment provided by engineer. */ -"Ordered list settings" = "有序列表设置"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "组织"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "其他站点"; -/* No comment provided by engineer. */ -"Outdent" = "减少缩进"; - -/* No comment provided by engineer. */ -"Outdent list item" = "减少列表项缩进量"; - -/* No comment provided by engineer. */ -"Outline" = "轮廓"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "已覆盖"; -/* No comment provided by engineer. */ -"PDF embed" = "pdf"; - -/* No comment provided by engineer. */ -"PDF settings" = "pdf"; - /* Register Domain - Phone number section header title */ "PHONE" = "电话"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "页面"; -/* No comment provided by engineer. */ -"Page Link" = "页面链接"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "页面已恢复至草稿列表"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "分页"; -/* No comment provided by engineer. */ -"Paragraph" = "段落"; - -/* No comment provided by engineer. */ -"Paragraph block" = "段落区块"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "父级分类目录"; @@ -5442,7 +4567,7 @@ "Paste URL" = "粘贴 URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "粘贴要在您的站点上显示的内容链接。"; +"Paste block after" = "在以下位置后粘贴区块"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "不带格式粘贴"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "选择您喜欢的主页布局。 您可以稍后对其进行编辑和自定义。"; -/* No comment provided by engineer. */ -"Pill Shape" = "药丸形状"; - /* The item to select during a guided tour. */ "Plan" = "套餐"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "套餐"; -/* No comment provided by engineer. */ -"Play inline" = "内联播放"; - /* User action to play a video on the editor. */ "Play video" = "播放视频"; -/* No comment provided by engineer. */ -"Playback controls" = "回放控制"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "请先添加一些内容,然后再尝试发布。"; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "热门语言"; -/* No comment provided by engineer. */ -"Portrait" = "横向"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "发布"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "文章类别"; -/* No comment provided by engineer. */ -"Post Comment" = "发表评论"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "发表评论的作者"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "发表的评论内容"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "评论发表日期"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "文章评论区块:未找到文章。"; - -/* No comment provided by engineer. */ -"Post Comments Form" = "文章评论表单"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "文章评论表单区块:该文章类型未启用评论。"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "发表评论表单区块:不允许对此文章发表评论。"; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "文章评论区块:未找到文章。"; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "文章格式"; -/* No comment provided by engineer. */ -"Post Link" = "文章链接"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "已将文章还原到“草稿”"; @@ -5715,9 +4798,6 @@ /* Spoken accessibility label for blog author and name in Reader cell. */ "Post by %@, from %@" = "作者:%1$@,来源:%2$@"; -/* No comment provided by engineer. */ -"Post comments block: no post found." = "文章评论区块:未找到文章。"; - /* No comment provided by engineer. */ "Post content settings" = "文章内容设置"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "发表名称:%1$@,发表网址:%2$@,作者:%3$@。"; -/* No comment provided by engineer. */ -"Poster image" = "海报图像"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "博文发布情况"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "文章"; -/* No comment provided by engineer. */ -"Posts List" = "文章列表"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "文章页面"; @@ -5817,9 +4891,6 @@ /* Subtitle for placeholder in Tenor picker. `The company name 'Tenor' should always be written as it is. */ "Powered by Tenor" = "由 Tenor 提供支持"; -/* No comment provided by engineer. */ -"Preformatted text" = "预格式化文字"; - /* No comment provided by engineer. */ "Preload" = "预加载"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "预览新网站以查看访问者将看到的内容。"; -/* No comment provided by engineer. */ -"Previous Page" = "上一页"; - /* Accessibility label for the previous notification button */ "Previous notification" = "上一条通知"; -/* No comment provided by engineer. */ -"Previous page link" = "上一页链接"; - /* Accessibility label */ "Previous period" = "前一个时段"; -/* No comment provided by engineer. */ -"Previous post" = "上篇文章"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "主站点"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "项目"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "使用按钮样式的链接来提示访客进行操作。"; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "使用按钮样式的链接来提示访客进行操作。"; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "抱歉,不支持此文件类型。"; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "公开"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "正在发布..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "引用引文"; - -/* No comment provided by engineer. */ -"Pullquote text" = "引用文字"; - /* Title of screen showing site purchases */ "Purchases" = "购买"; @@ -6023,30 +5070,15 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "推送通知功能已在 iOS 设置中关闭。切换“允许接收通知”以开启此功能。"; -/* No comment provided by engineer. */ -"Query Title" = "查询"; - /* The menu item to select during a guided tour. */ "Quick Start" = "快速启动"; -/* No comment provided by engineer. */ -"Quote citation text" = "引文"; - -/* No comment provided by engineer. */ -"Quote text" = "引用文字"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS设置"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "在 App Store 中给我们评分"; /* No comment provided by engineer. */ "Read more" = "阅读更多"; -/* No comment provided by engineer. */ -"Read more link text" = "“阅读更多”链接文字"; - /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "在以下网站上阅读:"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "已重新连接"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "重定向到当前URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "引用网站"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "“相关文章”在您的文章下方显示您站点中的相关内容"; -/* No comment provided by engineer. */ -"Release Date" = "发布日期"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "从我保存的文章中删除此文章。"; -/* No comment provided by engineer. */ -"Remove track" = "移除音轨"; - /* User action to remove video. */ "Remove video" = "删除视频"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "调整大小和裁剪"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "为小设备调整尺寸"; - /* The largest resolution allowed for uploading */ "Resolution" = "分辨率"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "恢复站点"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "模板的主题标识符。"; - /* Button title for restore site action */ "Restore to this point" = "恢复到此点"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "可重用区块在 iOS 版 WordPress 上不可编辑"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "倒序列表编号"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "恢复未审核的更改"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "身份"; -/* No comment provided by engineer. */ -"Rotate" = "旋转"; - -/* No comment provided by engineer. */ -"Row count" = "行数"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "短信已发送"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "选择段落样式"; -/* No comment provided by engineer. */ -"Select poster image" = "选择海报图像"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "选择“%@”,添加您的社交媒体帐户"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "发送推送通知"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "将您的内容分成多个页面。"; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "通过服务器提供图片"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "设为文章页面"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "并排显示媒体和文字来丰富布局。"; - /* The Jetpack view button title for the success state */ "Set up" = "设置"; @@ -6821,9 +5820,6 @@ /* No comment provided by engineer. */ "Shortcode" = "简码"; -/* No comment provided by engineer. */ -"Shortcode text" = "简码文字"; - /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "显示标题"; @@ -6845,12 +5841,6 @@ /* No comment provided by engineer. */ "Show download button" = "显示下载按钮"; -/* No comment provided by engineer. */ -"Show inline embed" = "显示:"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "显示登录和注销链接。"; - /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ "Show password" = "显示密码"; @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "显示文章内容"; -/* No comment provided by engineer. */ -"Show post counts" = "显示文章数目"; - /* translators: Checkbox toggle label */ "Show section" = "显示分区"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "仅显示我的文章"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "显示大型首字母。"; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "显示以下文章统计数据:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "显示站点的文章。"; -/* No comment provided by engineer. */ -"Sidebars" = "边栏"; - /* View title during the sign up process. */ "Sign Up" = "注册"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "站点语言"; -/* No comment provided by engineer. */ -"Site Logo" = "站点徽标"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7006,18 +5984,12 @@ force splits it into 2 lines. */ "Site security and performance\nfrom your pocket" = "站点安全和性能\n一切在您的口袋中掌握"; -/* No comment provided by engineer. */ -"Site tagline text" = "站点标语文字"; - /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "站点时区 (UTC%1$@%2$d%3$@)"; /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "站点标题已成功更改"; -/* No comment provided by engineer. */ -"Site title text" = "站点标题文字"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "站点"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "关注的站点"; -/* No comment provided by engineer. */ -"Six." = "六、"; - /* Image size option title. */ "Size" = "尺寸"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "社交"; -/* No comment provided by engineer. */ -"Social Icon" = "社交图标"; - -/* No comment provided by engineer. */ -"Solid color" = "纯色"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "部分媒体上传失败。该操作将从文章中删除所有失败的媒体。\n仍要保存?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "对不起,用户名不可用。"; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "抱歉,此内容不能被嵌入。"; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "抱歉,用户名只能包含小写字母和数字。"; @@ -7157,18 +6117,12 @@ /* Opens the Github Repository Web */ "Source Code" = "源代码"; -/* No comment provided by engineer. */ -"Source language" = "源语言"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "南"; /* Label for showing the available disk space quota available for media */ "Space used" = "已使用的空间"; -/* No comment provided by engineer. */ -"Spacer settings" = "空白设置"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "加快站点加载速度"; -/* No comment provided by engineer. */ -"Square" = "实心方块"; - /* Standard post format label */ "Standard" = "标准"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "从头开始"; -/* No comment provided by engineer. */ -"Start value" = "起始值"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "请从所有故事的基石开始。"; - /* No comment provided by engineer. */ "Start writing…" = "开始撰写…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "删除线"; -/* No comment provided by engineer. */ -"Stripes" = "条带"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "存根"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "正在提交以供审核…"; -/* No comment provided by engineer. */ -"Subtitles" = "字幕"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "已成功清除聚焦索引"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "支持"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "转换站点"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "系统默认"; -/* No comment provided by engineer. */ -"Table" = "表格"; - -/* No comment provided by engineer. */ -"Table caption text" = "表格说明文字"; - /* No comment provided by engineer. */ "Table of Contents" = "目录"; -/* No comment provided by engineer. */ -"Table settings" = "表格设置"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "显示 %@ 的表格"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "标签"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "标签云设置"; - -/* No comment provided by engineer. */ -"Tag Link" = "标签链接"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "标签已存在"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "告诉我们您想创建什么样的网站"; -/* No comment provided by engineer. */ -"Template Part" = "模版组建"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "模板组建\"%s\"已插入。"; - -/* No comment provided by engineer. */ -"Template Parts" = "模版组建"; - -/* No comment provided by engineer. */ -"Template part created." = "模板组建已创建。"; - -/* No comment provided by engineer. */ -"Templates" = "模板"; - -/* No comment provided by engineer. */ -"Term description." = "项目"; - /* The underlined title sentence */ "Terms and Conditions" = "条款和条件"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "仅显示文字"; -/* No comment provided by engineer. */ -"Text link settings" = "文本链接设置"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "通过短信向我发送代码"; -/* No comment provided by engineer. */ -"Text settings" = "文本设置"; - -/* No comment provided by engineer. */ -"Text tracks" = "文字音轨"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "感谢选择 %2$@ 提供的 %1$@"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "此服务器的证书无效。您所连接的服务器伪装成了“%@”,这可能会给您的凭证信息带来危险。\n\n仍然信任此证书吗?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "当前海报图像的URL是%s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "此摘要已隐藏。"; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "此摘要可见。"; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "文件%1$@包含恶意代码模式"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "无法将视频添加到媒体库。"; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "鹪鹩
谋生
无奈。"; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "主题已激活"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "连接至 %@ 时出问题。重新连接以继续宣传。"; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "当前没有选择海报图像"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "此应用程序需要获取设备媒体库的访问权限,才可以向您的文章内添加照片和\/或视频。如要允许此操作,请更改隐私设置。"; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "此区块已被废弃,请使用多栏区块。"; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "此列数超过了建议的数量,可能会造成视觉受损。"; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "此域不可用"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "已忽略威胁。"; -/* No comment provided by engineer. */ -"Three columns; equal split" = "三栏;栏宽相等"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "三栏;中间栏位较宽"; - -/* No comment provided by engineer. */ -"Three." = "三、"; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "缩略图"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "标题"; -/* No comment provided by engineer. */ -"Title & Date" = "标题和日期"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "标题和摘要"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "分类目录名必填。"; -/* No comment provided by engineer. */ -"Title of track" = "音轨标题"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "标题、日期和摘要"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "向您的文章内添加照片或视频。"; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "要继续使用此 Google 帐户,请先使用您的 WordPress.com 密码登录。此要求只会出现一次。"; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "要显示评论,请输入评论ID。"; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "拍摄要在文章内使用的照片或视频。"; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "切换 HTML 来源"; -/* No comment provided by engineer. */ -"Toggle navigation" = "切换导航"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "切换显示一个大的首字母。"; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "切换有序的列表样式"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "总字数"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "音鬼可以是字幕、无障碍字幕、章节或描述。这些信息能有助于让更多用户无障碍的访问您的内容。"; - /* Title for the traffic section in site settings screen */ "Traffic" = "浏览量"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "将%s转换为"; + +/* No comment provided by engineer. */ +"Transform block…" = "转换区块…"; + /* No comment provided by engineer. */ "Translate" = "翻译"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter 用户名"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "两栏;栏宽相等"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "两栏;三分之一,三分之二"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "两栏;三分之二,三分之一"; - -/* No comment provided by engineer. */ -"Two." = "二、"; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "请输入关键字以获取更多想法"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "未命名的站点"; -/* No comment provided by engineer. */ -"Unordered" = "无序"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "无序列表"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "未命名"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "无标题模板组建"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "最多保存七天日志。"; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "上传媒体文件"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "上传文件,或从您的媒体库中选择。"; - /* Title of a Quick Start Tour */ "Upload a site icon" = "上传站点图标"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "上传图片或者从媒体库中选择一张图片作为您的站点徽标"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "上传失败"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "使用当前位置"; -/* No comment provided by engineer. */ -"Use URL" = "使用URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "使用区块编辑器"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "使用经典WordPress编辑器。"; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "使用此链接来邀请成员加入您的团队,而不必逐一邀请。任何访问此链接的人都能轻松加入到您的组织,即使他们是从别处收到的链接,因此请确保您与可信的人分享此链接。"; /* No comment provided by engineer. */ "Use this site" = "使用此站点"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "用于显示代表站点的图形标记、设计或符号。设置站点标志后,其就可以在不同的位置和模板中重复使用。不应将其与站点图标相混淆,后者是仪表盘、浏览器标签、公开搜索结果等中使用的小图像,用于识别站点。"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "请验证您的电子邮件地址(说明已发送至 %@)"; -/* No comment provided by engineer. */ -"Verse text" = "诗篇文字"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "版本"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "版本 %@ 已推出"; -/* No comment provided by engineer. */ -"Vertical" = "垂直"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "视频预览不可用"; -/* No comment provided by engineer. */ -"Video caption text" = "视频说明文字"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "视频说明。%s"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "查看者"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "视口高度(vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "易受攻击的主题:%1$@(版本%2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "噫吁嚱,危乎高哉!\n蜀道之难,难于上青天!\n蚕丛及鱼凫,开国何茫然!\n尔来四万八千岁,\n不与秦塞通人烟。\n西当太白有鸟道,\n可以横绝峨眉巅。"; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP 管理"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "欢迎使用阅读器"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "欢迎来到区块的多彩世界……"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "欢迎使用全球最热门的网站构建器。"; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "糟糕,双因素验证码无效。请仔细检查代码,然后重试!"; -/* No comment provided by engineer. */ -"Wide Line" = "宽线"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "小组件"; -/* No comment provided by engineer. */ -"Width in pixels" = "宽度(像素)"; - /* Help text when editing email address */ "Will not be publicly displayed." = "不会公开显示。"; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "有了这个功能强大的编辑器,您可以随时随地发表内容。"; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "在纽约市中央公园唱歌的木鸫。"; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress 应用程序设置"; @@ -9203,30 +7989,6 @@ /* No comment provided by engineer. */ "Write code…" = "编写代码…"; -/* No comment provided by engineer. */ -"Write file name…" = "编写文件名…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "编写画廊说明…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "编写预格式化文本…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "在此处写简码…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "填写站点标语…"; - -/* No comment provided by engineer. */ -"Write site title…" = "填写站点标题…"; - -/* No comment provided by engineer. */ -"Write title…" = "编写标题…"; - -/* No comment provided by engineer. */ -"Write verse…" = "填写诗篇…"; - /* Title for the writing section in site settings screen */ "Writing" = "撰写"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "在您使用 Safari 访问自己的站点时,站点地址显示在屏幕顶部的地址栏中。"; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "您的站点不支持“%s”区块。您可以原样保留此区块或移除此区块。"; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "您的站点不支持“%s”区块。您可以原样保留此区块,将内容转换为自定义HTML区块,或移除此区块。"; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "您的站点不支持这一区块。"; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "您的站点已创建!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "您现在正在使用区块编辑器发布新文章-太好了! 如果您想更改为经典编辑器,请转到“我的网站”>“网站设置”。"; -/* No comment provided by engineer. */ -"Zoom" = "缩放"; - /* Comment Attachment Label */ "[COMMENT]" = "[评论]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "一小时"; -/* No comment provided by engineer. */ -"archive" = "归档"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "音频"; -/* No comment provided by engineer. */ -"blockquote" = "块引用"; - -/* No comment provided by engineer. */ -"blog" = "博客"; - -/* No comment provided by engineer. */ -"bullet list" = "项目符号列表"; - /* Used when displaying author of a plugin. */ "by %@" = "作者:%@"; -/* No comment provided by engineer. */ -"cite" = "引用"; - /* The menu item to select during a guided tour. */ "connections" = "连接"; -/* No comment provided by engineer. */ -"container" = "容器"; - -/* No comment provided by engineer. */ -"description" = "描述"; - -/* No comment provided by engineer. */ -"divider" = "分隔符"; - -/* No comment provided by engineer. */ -"document" = "文档"; - /* No comment provided by engineer. */ "document outline" = "文档大纲"; @@ -9553,56 +8273,29 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "双击更改单位"; -/* No comment provided by engineer. */ -"download" = "下载"; - -/* No comment provided by engineer. */ -"ebook" = "电子书"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例如 1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "例如 44"; -/* No comment provided by engineer. */ -"embed" = "嵌入"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "查找"; - /* Noun. Describes a site's follower. */ "follower" = "粉丝"; -/* No comment provided by engineer. */ -"form" = "小工具管理表单的HTML表示形式。"; - -/* No comment provided by engineer. */ -"horizontal-line" = "横线"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/我的站点 (URL)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "图像"; /* translators: 1: the order number of the image. 2: the total number of images. */ "image %1$d of %2$d in gallery" = "画廊中第 %1$d\/%2$d 张图片"; -/* No comment provided by engineer. */ -"images" = "图像"; - /* Text for related post cell preview */ "in \"Apps\"" = "在“应用程序”中"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "稍后再说"; -/* No comment provided by engineer. */ -"link" = "链接"; - -/* No comment provided by engineer. */ -"links" = "链接"; - -/* No comment provided by engineer. */ -"login" = "登录"; - -/* No comment provided by engineer. */ -"logout" = "注销登录"; - -/* No comment provided by engineer. */ -"menu" = "菜单"; - -/* No comment provided by engineer. */ -"movie" = "电影"; - -/* No comment provided by engineer. */ -"music" = "音乐"; - -/* No comment provided by engineer. */ -"navigation" = "导航"; - -/* No comment provided by engineer. */ -"next page" = "下一页"; - -/* No comment provided by engineer. */ -"numbered list" = "编号列表"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "\/"; -/* No comment provided by engineer. */ -"ordered list" = "有序列表"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "其他"; -/* No comment provided by engineer. */ -"pagination" = "分页"; - /* No comment provided by engineer. */ "password" = "密码"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "电话号码"; -/* No comment provided by engineer. */ -"photos" = "照片"; - -/* No comment provided by engineer. */ -"picture" = "照片"; - -/* No comment provided by engineer. */ -"podcast" = "播客"; - -/* No comment provided by engineer. */ -"poem" = "诗词"; - -/* No comment provided by engineer. */ -"poetry" = "诗歌"; - -/* No comment provided by engineer. */ -"post" = "文章"; - -/* No comment provided by engineer. */ -"posts" = "文章"; - -/* No comment provided by engineer. */ -"read more" = "继续阅读"; - -/* No comment provided by engineer. */ -"recent comments" = "最新评论"; - -/* No comment provided by engineer. */ -"recent posts" = "最新文章"; - -/* No comment provided by engineer. */ -"recording" = "录音"; - -/* No comment provided by engineer. */ -"row" = "行"; - -/* No comment provided by engineer. */ -"section" = "区段"; - -/* No comment provided by engineer. */ -"social" = "社交"; - -/* No comment provided by engineer. */ -"sound" = "音频"; - -/* No comment provided by engineer. */ -"subtitle" = "副标题"; - /* No comment provided by engineer. */ "summary" = "总结"; -/* No comment provided by engineer. */ -"survey" = "调查"; - -/* No comment provided by engineer. */ -"text" = "文本"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "即将删除以下项目:"; -/* No comment provided by engineer. */ -"title" = "标题"; - /* Today */ "today" = "今天"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, sites, site, blogs, blog wordpress, 站点, 博客"; -/* No comment provided by engineer. */ -"wrapper" = "封装"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "您的新域 %@ 正在设置中。您的站点即将实现华丽变身!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "——小林一茶"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "•域"; diff --git a/WordPress/Resources/zh-Hant.lproj/Localizable.strings b/WordPress/Resources/zh-Hant.lproj/Localizable.strings index 1d78f870b2ed..cd8f90f3326a 100644 --- a/WordPress/Resources/zh-Hant.lproj/Localizable.strings +++ b/WordPress/Resources/zh-Hant.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2021-04-30 16:01:20+0000 */ +/* Translation-Revision-Date: 2021-05-13 09:54:08+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/3.0.0-alpha.2 */ /* Language: zh_TW */ @@ -36,8 +36,8 @@ /* Format string for plural unseen posts count. The %1$d is a placeholder for the count. */ "%1$d unseen posts" = "%1$d 篇還沒看過的文章"; -/* translators: 1: Block label (i.e. \"Block: Column\"), 2: Position of the selected block, 3: Total number of sibling blocks of the same type */ -"%1$s (%2$d of %3$d)" = "%1$s (%2$d of %3$d)"; +/* translators: 1: From block title, e.g. Paragraph. 2: To block title, e.g. Header. */ +"%1$s transformed to %2$s" = "%1$s 已轉換為 %2$s"; /* translators: accessibility text. Inform about current value. %1$s: Control label %2$s: setting label (example: width), %3$s: Current value. %4$s: value measurement unit (example: pixels) */ "%1$s. %2$s is %3$s %4$s." = "%1$s。%2$s 是 %3$s %4$s。"; @@ -193,18 +193,15 @@ /* Displays the number of words and characters in text */ "%li words, %li characters" = "%1$li 個字、%2$li 個字元"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"%s block options" = "%s 區塊選項"; + /* translators: accessibility text for the media block empty state. %s: media type */ "%s block. Empty" = "%s 區塊空白"; /* translators: accessibility text for blocks with invalid content. %d: localized block title */ "%s block. This block has invalid content" = "%s 區塊含有無效內容"; -/* translators: %s: Number of comments */ -"%s comment" = "%s comment"; - -/* translators: %s: name of the social service. */ -"%s label" = "%s label"; - /* translators: Missing block alert title. %s: The localized block name */ "'%s' is not fully-supported" = "系統不完全支援「%s」"; @@ -231,13 +228,6 @@ /* Register Domain - Address information field add new address line */ "+ Address line %@" = "+ 地址第 %@ 行"; -/* No comment provided by engineer. */ -"- Select -" = "- Select -"; - -/* translators: Preserve \ - markers for line breaks */ -"\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );" = "\/\/ A \"block\" is the abstract term used\n\/\/ to describe units of markup that\n\/\/ when composed together, form the\n\/\/ content or layout of a page.\nregisterBlockType( name, settings );"; - /* Local notification displayed to the user when a single draft post has been successfully uploaded. */ "1 draft post uploaded" = "已上傳 1 篇文章草稿"; @@ -259,102 +249,33 @@ /* Message for a notice informing the user their scan completed and 1 threat was found */ "1 potential threat found" = "發現 1 個潛在威脅"; -/* No comment provided by engineer. */ -"100" = "100"; - /* Indicates a video will be resized to Full HD 1920x1080 when uploaded. */ "1080p" = "1080p"; -/* No comment provided by engineer. */ -"10:16" = "10:16"; - -/* No comment provided by engineer. */ -"16:10" = "16:10"; - -/* No comment provided by engineer. */ -"16:9" = "16:9"; - -/* No comment provided by engineer. */ -"25 \/ 50 \/ 25" = "25 \/ 50 \/ 25"; - -/* No comment provided by engineer. */ -"2:3" = "2:3"; - -/* No comment provided by engineer. */ -"30 \/ 70" = "30 \/ 70"; - -/* No comment provided by engineer. */ -"33 \/ 33 \/ 33" = "33 \/ 33 \/ 33"; - -/* No comment provided by engineer. */ -"3:2" = "3:2"; - -/* No comment provided by engineer. */ -"3:4" = "3:4"; - /* Indicates a video will be resized to 640x480 when uploaded. */ "480p" = "480p"; -/* No comment provided by engineer. */ -"4:3" = "4:3"; - /* Indicates a video will be resized to 4K 3840x2160 when uploaded. */ "4K" = "4K"; -/* No comment provided by engineer. */ -"50 \/ 50" = "50 \/ 50"; - -/* No comment provided by engineer. */ -"70 \/ 30" = "70 \/ 30"; - /* Indicates a video will be resized to HD 1280x720 when uploaded. */ "720p" = "720p"; -/* No comment provided by engineer. */ -"9:16" = "9:16"; - /* Age between dates less than one hour. */ "< 1 hour" = "不到 1 小時"; -/* No comment provided by engineer. */ -"Snow Patrol<\/strong>" = "Snow Patrol<\/strong>"; - /* Label displaying the user's username preceeded by an '@' symbol. %1$@ is a placeholder for the username. */ "@%1$@" = "@%1$@"; /* A short description of what the 'More' button is and how it works. */ "A \"more\" button contains a dropdown which displays sharing buttons" = "一個「更多」按鈕包含顯示分享按鈕的下拉式選單"; -/* No comment provided by engineer. */ -"A calendar of your site’s posts." = "A calendar of your site’s posts."; - -/* No comment provided by engineer. */ -"A cloud of your most used tags." = "A cloud of your most used tags."; - -/* No comment provided by engineer. */ -"A collection of blocks that allow visitors to get around your site." = "A collection of blocks that allow visitors to get around your site."; - /* Label for image that is set as a feature image for post/page */ "A featured image is set. Tap to change it." = "精選圖片已設定。點選即可變更。"; /* Title for a threat */ "A file contains a malicious code pattern" = "檔案包含惡意程式碼模式"; -/* No comment provided by engineer. */ -"A link to a category." = "類別連結。"; - -/* No comment provided by engineer. */ -"A link to a custom URL." = "A link to a custom URL."; - -/* No comment provided by engineer. */ -"A link to a page." = "網頁連結。"; - -/* No comment provided by engineer. */ -"A link to a post." = "文章連結。"; - -/* No comment provided by engineer. */ -"A link to a tag." = "標籤連結。"; - /* Accessibility hint for My Sites list. */ "A list of sites on this account." = "此帳號的網站清單。"; @@ -367,9 +288,6 @@ /* A VoiceOver hint to explain what the user gets when they select the 'Grow Your Audience' button. */ "A series of steps to assist with growing your site's audience." = "提供一系列步驟,協助你拓展觀眾群。"; -/* No comment provided by engineer. */ -"A single column within a columns block." = "A single column within a columns block."; - /* Message of the alert indicating that a tag with that name already exists. The placeholder is the name of the tag */ "A tag named '%@' already exists." = "已有名稱為「%@」的標籤。"; @@ -403,8 +321,7 @@ /* Register Domain - Address information field section header title */ "ADDRESS" = "地址"; -/* About this app (information page title) - translators: 'About' as in a website's about page. */ +/* About this app (information page title) */ "About" = " 關於"; /* Link to About screen for Jetpack for iOS */ @@ -490,9 +407,6 @@ /* Add New Stats Card view title */ "Add New Stats Card" = "新增統計資料卡片"; -/* No comment provided by engineer. */ -"Add Template" = "Add Template"; - /* No comment provided by engineer. */ "Add To Beginning" = "新增至「開始」"; @@ -514,21 +428,9 @@ /* Title of a feature to add a new topic to the topics subscribed by the user. */ "Add a Topic" = "新增主題"; -/* No comment provided by engineer. */ -"Add a block that displays content in multiple columns, then add whatever content blocks you’d like." = "Add a block that displays content in multiple columns, then add whatever content blocks you’d like."; - -/* No comment provided by engineer. */ -"Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube." = "Add a block that displays content pulled from other sites, like Twitter, Instagram or YouTube."; - /* Hint for the reader CSS URL field */ "Add a custom CSS URL here to be loaded in Reader. If you're running Calypso locally this can be something like: http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css" = "在此新增要在讀取器中載入的自訂 CSS URL。 若你在本機執行 Calypso,可能會看到類似以下格式的 URL:http:\/\/192.168.15.23:3000\/calypso\/reader-mobile.css"; -/* No comment provided by engineer. */ -"Add a link to a downloadable file." = "Add a link to a downloadable file."; - -/* No comment provided by engineer. */ -"Add a page, link, or another item to your navigation." = "Add a page, link, or another item to your navigation."; - /* Title for a button that when tapped starts the add self-hosted site process */ "Add a self-hosted site" = "新增一個自助託管網站"; @@ -547,21 +449,12 @@ /* No comment provided by engineer. */ "Add alt text" = "新增替代文字"; -/* No comment provided by engineer. */ -"Add an image or video with a text overlay — great for headers." = "Add an image or video with a text overlay — great for headers."; - /* Placeholder text. A call to action for the user to type any topic to which they would like to subscribe. */ "Add any topic" = "新增任何主題"; /* No comment provided by engineer. */ "Add caption" = "Add caption"; -/* translators: placeholder text used for the citation */ -"Add citation" = "Add citation"; - -/* No comment provided by engineer. */ -"Add custom HTML code and preview it as you edit." = "Add custom HTML code and preview it as you edit."; - /* Accessibility hint text for adding an image to a new user account. */ "Add image, or avatar, to represent this new account." = "新增圖片或大頭貼來代表這個新帳號。"; @@ -589,9 +482,6 @@ /* No comment provided by engineer. */ "Add paragraph block" = "新增段落區塊"; -/* translators: placeholder text used for the quote */ -"Add quote" = "Add quote"; - /* Add self-hosted site button */ "Add self-hosted site" = "新增自助託管網站"; @@ -603,16 +493,7 @@ "Add tags" = "新增標籤"; /* No comment provided by engineer. */ -"Add text that respects your spacing and tabs, and also allows styling." = "Add text that respects your spacing and tabs, and also allows styling."; - -/* No comment provided by engineer. */ -"Add text…" = "Add text…"; - -/* No comment provided by engineer. */ -"Add the author of this post." = "Add the author of this post."; - -/* No comment provided by engineer. */ -"Add the date of this post." = "Add the date of this post."; +"Add text…" = "加入文字…"; /* No comment provided by engineer. */ "Add this email link" = "新增此電子郵件連結"; @@ -623,12 +504,6 @@ /* No comment provided by engineer. */ "Add this telephone link" = "新增此電話連結"; -/* No comment provided by engineer. */ -"Add tracks" = "Add tracks"; - -/* No comment provided by engineer. */ -"Add white space between blocks and customize its height." = "Add white space between blocks and customize its height."; - /* User-facing string, presented to reflect that site assembly is underway. */ "Adding site features" = "新增網站功能"; @@ -651,15 +526,6 @@ /* Description of albums in the photo libraries */ "Albums" = "相簿"; -/* No comment provided by engineer. */ -"Align column center" = "Align column center"; - -/* No comment provided by engineer. */ -"Align column left" = "Align column left"; - -/* No comment provided by engineer. */ -"Align column right" = "Align column right"; - /* Image alignment option title. Title of the screen for choosing an image's alignment. */ "Alignment" = "對齊"; @@ -786,9 +652,6 @@ /* Text displayed when a stat section failed to load. */ "An error occurred." = "發生錯誤。"; -/* No comment provided by engineer. */ -"An example title" = "An example title"; - /* Error message shown when a media upload fails for unknown reason and the user should try again. */ "An unknown error occurred. Please try again." = "發生不明的錯誤。請再試一次。"; @@ -828,15 +691,6 @@ /* VoiceOver accessibility hint, informing the user the button can be used to approve a comment */ "Approves the Comment." = "核准留言。"; -/* No comment provided by engineer. */ -"Archive Title" = "Archive Title"; - -/* No comment provided by engineer. */ -"Archive title" = "Archive title"; - -/* No comment provided by engineer. */ -"Archives settings" = "Archives settings"; - /* Menus alert message for alerting the user to unsaved changes while trying back out of Menus. */ "Are you sure you want to cancel and discard changes?" = "確定要取消並捨棄變更?"; @@ -910,30 +764,21 @@ /* Title of message shown when user taps update. */ "Are you sure you want to update?" = "是否確定要更新?"; -/* No comment provided by engineer. */ -"Area" = "Area"; - /* An example tag used in the login prologue screens. */ "Art" = "藝術"; /* Message shown to users who have an old publicize connection to a facebook profile. */ "As of August 1, 2018, Facebook no longer allows direct sharing of posts to Facebook Profiles. Connections to Facebook Pages remain unchanged." = "Facebook 自 2018 年 8 月 1 日起將禁止直接將文章分享至 Facebook 個人檔案。與 Facebook 粉絲專頁的連結將不受影響。"; -/* No comment provided by engineer. */ -"Aspect Ratio" = "Aspect Ratio"; - /* Alert option to embed a doc link into a blog post. */ "Attach File as Link" = "附加檔案連結"; /* No comment provided by engineer. */ -"Attachment page" = "Attachment page"; +"Attachment page" = "附件頁面"; /* No comment provided by engineer. */ "Audio Player" = "音樂播放器"; -/* No comment provided by engineer. */ -"Audio caption text" = "Audio caption text"; - /* translators: accessibility text. %s: Audio caption. */ "Audio caption. %s" = "音訊字幕。 %s"; @@ -941,7 +786,7 @@ "Audio caption. Empty" = "音訊字幕。 清空"; /* No comment provided by engineer. */ -"Audio settings" = "Audio settings"; +"Audio settings" = "音訊設定"; /* Accessibility label for audio items in the media collection view. The parameter is the creation date of the audio. */ "Audio, %@" = "音訊,%@"; @@ -967,7 +812,7 @@ "Authors" = "作者"; /* No comment provided by engineer. */ -"Auto" = "Auto"; +"Auto" = "自動"; /* Describes a status of a plugin */ "Auto-managed" = "自動管理"; @@ -995,7 +840,7 @@ "Automatically share new posts to your social media accounts." = "自動將新文章分享到社交媒體帳號。"; /* No comment provided by engineer. */ -"Autoplay" = "Autoplay"; +"Autoplay" = "自動播放"; /* Whether a plugin has enabled automatic updates */ "Autoupdates" = "自動更新"; @@ -1078,17 +923,35 @@ "Block Quote" = "封鎖引文"; /* No comment provided by engineer. */ -"Block cannot be rendered inside itself." = "Block cannot be rendered inside itself."; +"Block cannot be rendered inside itself." = "區塊無法在自己內部轉譯。"; + +/* translators: displayed right after the block is copied. */ +"Block copied" = "已複製區塊"; + +/* translators: displayed right after the block is cut. */ +"Block cut" = "已剪下區塊"; + +/* translators: displayed right after the block is duplicated. */ +"Block duplicated" = "已重複區塊"; /* Popup title about why this post is being opened in block editor */ "Block editor enabled" = "已啟用區塊編輯器"; /* No comment provided by engineer. */ -"Block has been deleted or is unavailable." = "Block has been deleted or is unavailable."; +"Block has been deleted or is unavailable." = "區塊已刪除或不可使用。"; /* Jetpack Settings: Block malicious login attempts */ "Block malicious login attempts" = "封鎖惡意的登入嘗試"; +/* translators: displayed right after the block is pasted. */ +"Block pasted" = "已貼上區塊"; + +/* translators: displayed right after the block is removed. */ +"Block removed" = "已移除區塊"; + +/* No comment provided by engineer. */ +"Block settings" = "區塊設定"; + /* The title of a button that triggers blocking a site from the user's reader. */ "Block this site" = "Block this site"; @@ -1118,33 +981,18 @@ /* Blog's Viewer Profile. Displayed when the name is empty! */ "Blog's Viewer" = "網誌的瀏覽者"; -/* No comment provided by engineer. */ -"Body cell text" = "Body cell text"; - /* Accessibility label for bold button on formatting toolbar. Discoverability title for bold formatting keyboard shortcut. */ "Bold" = "粗體"; -/* No comment provided by engineer. */ -"Border" = "Border"; - /* Text snippet summarizing what comment paging does. */ "Break comment threads into multiple pages." = "將留言串分為數頁。"; -/* No comment provided by engineer. */ -"Briefly describe the link to help screen reader users." = "Briefly describe the link to help screen reader users."; - /* Description of a Quick Start Tour */ "Browse all our themes to find your perfect fit." = "瀏覽所有佈景主題,尋找最適合你的一個。"; /* No comment provided by engineer. */ -"Browse all templates" = "Browse all templates"; - -/* No comment provided by engineer. */ -"Browse all templates. This will open the template menu in the navigation side panel." = "Browse all templates. This will open the template menu in the navigation side panel."; - -/* No comment provided by engineer. */ -"Browser default" = "Browser default"; +"Browser default" = "瀏覽器預設"; /* Jetpack Settings: Brute Force Attack Protection Section */ "Brute Force Attack Protection" = "蠻力攻擊防護"; @@ -1159,10 +1007,7 @@ "Button Style" = "按鈕樣式"; /* No comment provided by engineer. */ -"Buttons shown in a column." = "Buttons shown in a column."; - -/* No comment provided by engineer. */ -"Buttons shown in a row." = "Buttons shown in a row."; +"ButtonGroup" = "ButtonGroup"; /* Label for the post author in the post detail. */ "By " = "By "; @@ -1192,9 +1037,6 @@ /* Label for size of media while it's being calculated. */ "Calculating..." = "正在計算…"; -/* No comment provided by engineer. */ -"Call to Action" = "Call to Action"; - /* Accessibility label for taking an image or video with the camera on formatting toolbar. Accessibility label for the camera tile in the collection view */ "Camera" = "相機"; @@ -1288,9 +1130,6 @@ Noun. Label for the caption for a media asset (image / video) */ "Caption" = "說明文字"; -/* No comment provided by engineer. */ -"Captions" = "Captions"; - /* Alert title. Title for the warning shown to the user when he refuses to re-login when the authToken is missing. */ "Careful!" = "請小心!"; @@ -1306,9 +1145,6 @@ Menu item label for linking a specific category. */ "Category" = "分類"; -/* No comment provided by engineer. */ -"Category Link" = "類別連結"; - /* Error popup title to indicate that there was no category title filled in. */ "Category title missing." = "分類標題遺失。"; @@ -1318,9 +1154,6 @@ /* Popup title for wrong SSL certificate. */ "Certificate error" = "憑證錯誤"; -/* No comment provided by engineer. */ -"Change Date" = "Change Date"; - /* Account Settings Change password label Main title */ "Change Password" = "變更密碼"; @@ -1340,14 +1173,11 @@ /* No comment provided by engineer. */ "Change block position" = "變更區塊位置"; -/* No comment provided by engineer. */ -"Change column alignment" = "Change column alignment"; - /* Message to show when Publicize globally shared setting failed */ "Change failed" = "變更失敗"; /* No comment provided by engineer. */ -"Change heading level" = "Change heading level"; +"Change heading level" = "變更標題層級"; /* Accessibility hint for web preview device switching button */ "Change the device type used for preview" = "變更用於預覽的裝置類型"; @@ -1374,9 +1204,6 @@ /* Shown while the app waits for the username changing web service to return. */ "Changing username" = "正在變更使用者名稱"; -/* No comment provided by engineer. */ -"Chapters" = "Chapters"; - /* Title of alert when getting purchases fails */ "Check Purchases Error" = "確認購買項目發生錯誤"; @@ -1450,9 +1277,6 @@ /* Register domain - Title for the Choose domain button of Suggested domains screen */ "Choose domain" = "選擇網域"; -/* No comment provided by engineer. */ -"Choose existing" = "Choose existing"; - /* No comment provided by engineer. */ "Choose file" = "選擇檔案"; @@ -1513,9 +1337,6 @@ /* Message of the trash confirmation alert. */ "Clear all old activity logs?" = "是否清除所有舊活動記錄?"; -/* No comment provided by engineer. */ -"Clear customizations" = "Clear customizations"; - /* No comment provided by engineer. */ "Clear search" = "清除搜尋"; @@ -1549,24 +1370,12 @@ /* Close Comments Title */ "Close commenting" = "關閉留言功能"; -/* No comment provided by engineer. */ -"Close global styles sidebar" = "Close global styles sidebar"; - -/* No comment provided by engineer. */ -"Close list view sidebar" = "Close list view sidebar"; - -/* No comment provided by engineer. */ -"Close settings sidebar" = "Close settings sidebar"; - /* Accessibility hint the Done button in the Me screen. */ "Close the Me screen" = "關閉「我」畫面"; /* Accessibility label for selecting code style button on the formatting toolbar. */ "Code" = "程式碼"; -/* No comment provided by engineer. */ -"Code is Poetry" = "Code is Poetry"; - /* Accessibility description for the list of completed tasks presented during Quick Start. Parameter is a number representing the count of completed tasks. */ "Collapsed, %i completed tasks, toggling expands the list of these tasks" = "已折疊,%i 件已完成的工作,切換以展開這些工作的清單"; @@ -1582,21 +1391,6 @@ /* Title displayed for selection of custom app icons that have colorful backgrounds. */ "Colorful backgrounds" = "彩色背景"; -/* translators: %d: column index (starting with 1) */ -"Column %d text" = "Column %d text"; - -/* No comment provided by engineer. */ -"Column count" = "Column count"; - -/* No comment provided by engineer. */ -"Column settings" = "Column settings"; - -/* No comment provided by engineer. */ -"Columns" = "Columns"; - -/* No comment provided by engineer. */ -"Combine blocks into a group." = "Combine blocks into a group."; - /* First story intro item description */ "Combine photos, videos, and text to create engaging and tappable story posts that your visitors will love." = "結合相片、視訊和文字,建立吸睛又可點按的限時動態,你的訪客一定會喜歡。"; @@ -1776,9 +1570,6 @@ /* Section title for Publicize services in Sharing screen */ "Connections" = "連結"; -/* translators: 'Contact' as in a website's contact page. */ -"Contact" = "聯絡"; - /* Support email label. */ "Contact Email" = "聯絡電子郵件"; @@ -1794,18 +1585,12 @@ Title of a button. A call to action to contact support for assistance. */ "Contact support" = "聯絡支援團隊"; -/* No comment provided by engineer. */ -"Contact us" = "Contact us"; - /* Alert title for contact us alert, placeholder for help email address, inserted at run time. */ "Contact us at %@" = "透過 %@ 聯絡我們"; /* Displays the number of blocks, words and characters in text */ "Content Structure\nBlocks: %li, Words: %li, Characters: %li" = "內容結構\n區塊:%1$li、文字:%2$li、字元:%3$li"; -/* No comment provided by engineer. */ -"Content before this block will be shown in the excerpt on your archives page." = "Content before this block will be shown in the excerpt on your archives page."; - /* Action title to dismiss domain credit redemption success screen Apply changes localy to single block edition in the web block editor The button title text when there is a next step for logging in or signing up. @@ -1834,21 +1619,9 @@ /* Shown while logging in with Apple and the app waits for the site creation process to complete. */ "Continuing with Apple" = "繼續使用 Apple"; -/* No comment provided by engineer. */ -"Convert to blocks" = "轉換為區塊"; - -/* No comment provided by engineer. */ -"Convert to ordered list" = "Convert to ordered list"; - -/* No comment provided by engineer. */ -"Convert to unordered list" = "Convert to unordered list"; - /* An example tag used in the login prologue screens. */ "Cooking" = "烹飪"; -/* No comment provided by engineer. */ -"Copied URL to clipboard." = "Copied URL to clipboard."; - /* No comment provided by engineer. */ "Copied block" = "複製的區塊"; @@ -1856,7 +1629,7 @@ "Copy Link to Comment" = "將連結複製到留言"; /* No comment provided by engineer. */ -"Copy URL" = "Copy URL"; +"Copy block" = "複製區塊"; /* No comment provided by engineer. */ "Copy file URL" = "複製檔案 URL"; @@ -1879,9 +1652,6 @@ /* Message shown when site purchases API failed */ "Could not check site purchases." = "無法確認網站購買項目。"; -/* translators: 1. Error message */ -"Could not edit image. %s" = "Could not edit image. %s"; - /* Title of a prompt. */ "Could not follow site" = "無法關注網站"; @@ -1995,9 +1765,6 @@ /* Stories intro continue button title */ "Create Story Post" = "建立限時動態文章"; -/* No comment provided by engineer. */ -"Create Table" = "Create Table"; - /* Create WordPress.com site button */ "Create WordPress.com site" = "建立 WordPress.com 網站"; @@ -2007,33 +1774,18 @@ /* Title of the button in the placeholder for an empty list of blog tags. */ "Create a Tag" = "建立標籤"; -/* No comment provided by engineer. */ -"Create a break between ideas or sections with a horizontal separator." = "Create a break between ideas or sections with a horizontal separator."; - -/* No comment provided by engineer. */ -"Create a bulleted or numbered list." = "Create a bulleted or numbered list."; - /* Title for a button that when tapped starts the site creation process */ "Create a new site" = "建立一個新網站"; /* Text shown when the account has no sites. */ "Create a new site for your business, magazine, or personal blog; or connect an existing WordPress installation." = "為你的商務版、雜誌或個人網誌建立新網站;或連結既有的 WordPress 安裝。"; -/* No comment provided by engineer. */ -"Create a new template part or pick an existing one from the list." = "Create a new template part or pick an existing one from the list."; - /* Accessibility hint for create floating action button */ "Create a post or page" = "建立文章或頁面"; /* The tooltip title for the Floating Create Button */ "Create a post, page, or story" = "建立文章、頁面或限時動態"; -/* No comment provided by engineer. */ -"Create a template part" = "Create a template part"; - -/* No comment provided by engineer. */ -"Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used." = "Create and save content to reuse across your site. Update the block, and the changes apply everywhere it’s used."; - /* Label that describes the download backup action */ "Create downloadable backup" = "建立可下載的備份"; @@ -2091,9 +1843,6 @@ /* Description of the current entry being restored. %1$@ is a placeholder for the specific entry being restored. */ "Currently restoring: %1$@" = "目前正在還原:%1$@"; -/* No comment provided by engineer. */ -"Custom Link" = "Custom Link"; - /* Placeholder for Invite People message field. */ "Custom message…" = "自訂訊息…"; @@ -2123,6 +1872,9 @@ /* Notification Settings for your own blogs */ "Customize your site settings for Likes, Comments, Follows, and more." = "自訂按讚、留言、關注等功能的網站設定。"; +/* No comment provided by engineer. */ +"Cut block" = "剪下區塊"; + /* Title for the app appearance setting for dark mode */ "Dark" = "深色系"; @@ -2161,9 +1913,6 @@ /* Only December needs to be translated */ "December 17, 2017" = "2017 年 12 月 17 日"; -/* No comment provided by engineer. */ -"December 6, 2018" = "December 6, 2018"; - /* Description of the default paragraph formatting style in the editor. Placeholder text displayed in the share extension's summary view. It lets the user know the default category will be used on their post. */ "Default" = "預設"; @@ -2182,9 +1931,6 @@ /* Placeholder for the reader CSS URL */ "Default URL" = "預設 URL"; -/* translators: %s: HTML tag based on area. */ -"Default based on area (%s)" = "Default based on area (%s)"; - /* Discussion Settings: Posts Section */ "Defaults for New Posts" = "新文章預設值"; @@ -2218,15 +1964,9 @@ /* Title of alert when site deletion fails */ "Delete Site Error" = "刪除網站錯誤"; -/* No comment provided by engineer. */ -"Delete column" = "Delete column"; - /* Screen Reader: Button that deletes a menu. */ "Delete menu" = "刪除選單"; -/* No comment provided by engineer. */ -"Delete row" = "Delete row"; - /* Delete Tag confirmation action title */ "Delete this tag" = "刪除此標籤"; @@ -2250,18 +1990,12 @@ Title of section that contains plugins' description */ "Description" = "敘述"; -/* No comment provided by engineer. */ -"Descriptions" = "Descriptions"; - /* Shortened version of the main title to be used in back navigation */ "Design" = "設計"; /* Title for the desktop web preview */ "Desktop" = "桌上型電腦"; -/* No comment provided by engineer. */ -"Detach blocks from template part" = "Detach blocks from template part"; - /* Details button that appears in the Theme Browser Header Theme Details action title */ "Details" = "詳細資料"; @@ -2355,94 +2089,7 @@ "Display Name" = "顯示名稱"; /* No comment provided by engineer. */ -"Display a legacy widget." = "Display a legacy widget."; - -/* No comment provided by engineer. */ -"Display a list of all categories." = "Display a list of all categories."; - -/* No comment provided by engineer. */ -"Display a list of all pages." = "Display a list of all pages."; - -/* No comment provided by engineer. */ -"Display a list of your most recent comments." = "Display a list of your most recent comments."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts, excluding sticky posts." = "Display a list of your most recent posts, excluding sticky posts."; - -/* No comment provided by engineer. */ -"Display a list of your most recent posts." = "Display a list of your most recent posts."; - -/* No comment provided by engineer. */ -"Display a monthly archive of your posts." = "Display a monthly archive of your posts."; - -/* No comment provided by engineer. */ -"Display a post's categories." = "Display a post's categories."; - -/* No comment provided by engineer. */ -"Display a post's comments count." = "Display a post's comments count."; - -/* No comment provided by engineer. */ -"Display a post's comments form." = "Display a post's comments form."; - -/* No comment provided by engineer. */ -"Display a post's comments." = "Display a post's comments."; - -/* No comment provided by engineer. */ -"Display a post's excerpt." = "Display a post's excerpt."; - -/* No comment provided by engineer. */ -"Display a post's featured image." = "Display a post's featured image."; - -/* No comment provided by engineer. */ -"Display a post's tags." = "Display a post's tags."; - -/* No comment provided by engineer. */ -"Display an icon linking to a social media profile or website." = "Display an icon linking to a social media profile or website."; - -/* No comment provided by engineer. */ -"Display as dropdown" = "Display as dropdown"; - -/* No comment provided by engineer. */ -"Display author" = "Display author"; - -/* No comment provided by engineer. */ -"Display avatar" = "Display avatar"; - -/* No comment provided by engineer. */ -"Display code snippets that respect your spacing and tabs." = "Display code snippets that respect your spacing and tabs."; - -/* No comment provided by engineer. */ -"Display date" = "Display date"; - -/* No comment provided by engineer. */ -"Display entries from any RSS or Atom feed." = "Display entries from any RSS or Atom feed."; - -/* No comment provided by engineer. */ -"Display excerpt" = "Display excerpt"; - -/* No comment provided by engineer. */ -"Display icons linking to your social media profiles or websites." = "Display icons linking to your social media profiles or websites."; - -/* No comment provided by engineer. */ -"Display login as form" = "Display login as form"; - -/* No comment provided by engineer. */ -"Display multiple images in a rich gallery." = "Display multiple images in a rich gallery."; - -/* No comment provided by engineer. */ -"Display post date" = "Display post date"; - -/* No comment provided by engineer. */ -"Display the archive title based on the queried object." = "Display the archive title based on the queried object."; - -/* No comment provided by engineer. */ -"Display the description of categories, tags and custom taxonomies when viewing an archive." = "Display the description of categories, tags and custom taxonomies when viewing an archive."; - -/* No comment provided by engineer. */ -"Display the query title." = "Display the query title."; - -/* No comment provided by engineer. */ -"Display the title as a link" = "Display the title as a link"; +"Display post date" = "顯示文章日期"; /* Unconfigured stats all-time widget helper text */ "Display your all-time site stats here. Configure in the WordPress app in your site stats." = "在此顯示你的全時段網站統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; @@ -2453,42 +2100,6 @@ /* Unconfigured stats today widget helper text */ "Display your site stats for today here. Configure in the WordPress app in your site stats." = "在此處顯示網站今日的統計資料。前往 WordPress 應用程式,在網站的統計資料處即可設定。"; -/* No comment provided by engineer. */ -"Displays a list of page numbers for pagination" = "Displays a list of page numbers for pagination"; - -/* No comment provided by engineer. */ -"Displays a list of posts as a result of a query." = "Displays a list of posts as a result of a query."; - -/* No comment provided by engineer. */ -"Displays a paginated navigation to next\/previous set of posts, when applicable." = "Displays a paginated navigation to next\/previous set of posts, when applicable."; - -/* No comment provided by engineer. */ -"Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General." = "Displays and allows editing the name of the site. The site title usually appears in the browser title bar, in search results, and more. Also available in Settings > General."; - -/* No comment provided by engineer. */ -"Displays the contents of a post or page." = "Displays the contents of a post or page."; - -/* No comment provided by engineer. */ -"Displays the link to the current post comments." = "Displays the link to the current post comments."; - -/* No comment provided by engineer. */ -"Displays the next or previous post link that is adjacent to the current post." = "Displays the next or previous post link that is adjacent to the current post."; - -/* No comment provided by engineer. */ -"Displays the next posts page link." = "Displays the next posts page link."; - -/* No comment provided by engineer. */ -"Displays the post link that follows the current post." = "Displays the post link that follows the current post."; - -/* No comment provided by engineer. */ -"Displays the post link that precedes the current post." = "Displays the post link that precedes the current post."; - -/* No comment provided by engineer. */ -"Displays the previous posts page link." = "Displays the previous posts page link."; - -/* No comment provided by engineer. */ -"Displays the title of a post, page, or any other content-type." = "Displays the title of a post, page, or any other content-type."; - /* Accessibility label for other media items in the media collection view. The parameter is the filename file. */ "Document: %@" = "文件:%@"; @@ -2525,9 +2136,6 @@ /* Title for label when there are no threats on the users site */ "Don’t worry about a thing" = "不必擔心"; -/* No comment provided by engineer. */ -"Dots" = "Dots"; - /* Screen reader hint for button that will move the menu item */ "Double tap and hold to move this menu item up or down" = "點兩下並按住即可上下移動此選單項目"; @@ -2561,9 +2169,15 @@ /* No comment provided by engineer. */ "Double tap to open Action Sheet to edit, replace, or clear the image" = "點兩下開啟動作工作表,然後編輯、取代或清除圖片"; +/* No comment provided by engineer. */ +"Double tap to open Action Sheet with available options" = "按兩下以開啟含有可用選項的操作工作表"; + /* No comment provided by engineer. */ "Double tap to open Bottom Sheet to edit, replace, or clear the image" = "點兩下開啟底部工作表,然後編輯、取代或清除圖片"; +/* No comment provided by engineer. */ +"Double tap to open Bottom Sheet with available options" = "按兩下以開啟含有可用選項的底部工作表"; + /* No comment provided by engineer. */ "Double tap to redo last change" = "按兩次即可取消復原上次變更"; @@ -2598,18 +2212,9 @@ Title for button allowing user to backup their Jetpack site */ "Download backup" = "下載備份"; -/* No comment provided by engineer. */ -"Download button settings" = "Download button settings"; - -/* No comment provided by engineer. */ -"Download button text" = "Download button text"; - /* Title for the button that will download the backup file. */ "Download file" = "下載檔案"; -/* No comment provided by engineer. */ -"Download your templates and template parts." = "Download your templates and template parts."; - /* Label for number of file downloads. */ "Downloads" = "下載"; @@ -2620,15 +2225,12 @@ Title of the drafts header in search list. */ "Drafts" = "草稿"; -/* No comment provided by engineer. */ -"Drop cap" = "Drop cap"; - /* Label for page duplicate option. Tapping creates a copy of the page. Label for post duplicate option. Tapping creates a copy of the post. */ "Duplicate" = "複製"; -/* translators: Sample content for the Preformatted block. Can be replaced with a more locale-adequate work. */ -"EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap" = "EXT. XANADU - FAINT DAWN - 1940 (MINIATURE)\nWindow, very small in the distance, illuminated.\nAll around this is an almost totally black screen. Now, as the camera moves slowly towards the window which is almost a postage stamp in the frame, other forms ap"; +/* No comment provided by engineer. */ +"Duplicate block" = "重複區塊"; /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "East" = "東"; @@ -2651,9 +2253,6 @@ /* Title of Gutenberg WEB editor running on a Web View. %@ is the localized block name. */ "Edit %@ block" = "編輯 %@ 區塊"; -/* translators: %s: Label of the video text track e.g: \"French subtitles\" */ -"Edit %s" = "Edit %s"; - /* Blocklist Keyword Edition Title */ "Edit Blocklist Word" = "編輯封鎖清單字詞"; @@ -2671,21 +2270,12 @@ Opens the editor to edit an existing post. */ "Edit Post" = "編輯文章"; -/* No comment provided by engineer. */ -"Edit RSS URL" = "Edit RSS URL"; - -/* No comment provided by engineer. */ -"Edit URL" = "Edit URL"; - /* No comment provided by engineer. */ "Edit file" = "編輯檔案"; /* No comment provided by engineer. */ "Edit focal point" = "編輯焦點"; -/* No comment provided by engineer. */ -"Edit gallery image" = "Edit gallery image"; - /* No comment provided by engineer. */ "Edit image" = "Edit image"; @@ -2695,15 +2285,9 @@ /* Title for the edit sharing buttons section */ "Edit sharing buttons" = "編輯分享按鈕"; -/* No comment provided by engineer. */ -"Edit table" = "Edit table"; - /* Button title displayed in popup indicating that the user edits the post first */ "Edit the post first" = "首先編輯文章"; -/* No comment provided by engineer. */ -"Edit track" = "Edit track"; - /* No comment provided by engineer. */ "Edit using web editor" = "使用網頁編輯器編輯"; @@ -2760,123 +2344,6 @@ /* Overlay message displayed when export content started */ "Email sent!" = "已傳送電子郵件!"; -/* No comment provided by engineer. */ -"Embed Amazon Kindle content." = "Embed Amazon Kindle content."; - -/* No comment provided by engineer. */ -"Embed Cloudup content." = "Embed Cloudup content."; - -/* No comment provided by engineer. */ -"Embed CollegeHumor content." = "Embed CollegeHumor content."; - -/* No comment provided by engineer. */ -"Embed Crowdsignal (formerly Polldaddy) content." = "Embed Crowdsignal (formerly Polldaddy) content."; - -/* No comment provided by engineer. */ -"Embed Flickr content." = "Embed Flickr content."; - -/* No comment provided by engineer. */ -"Embed Imgur content." = "Embed Imgur content."; - -/* No comment provided by engineer. */ -"Embed Issuu content." = "Embed Issuu content."; - -/* No comment provided by engineer. */ -"Embed Kickstarter content." = "Embed Kickstarter content."; - -/* No comment provided by engineer. */ -"Embed Meetup.com content." = "Embed Meetup.com content."; - -/* No comment provided by engineer. */ -"Embed Mixcloud content." = "Embed Mixcloud content."; - -/* No comment provided by engineer. */ -"Embed ReverbNation content." = "Embed ReverbNation content."; - -/* No comment provided by engineer. */ -"Embed Screencast content." = "Embed Screencast content."; - -/* No comment provided by engineer. */ -"Embed Scribd content." = "Embed Scribd content."; - -/* No comment provided by engineer. */ -"Embed Slideshare content." = "Embed Slideshare content."; - -/* No comment provided by engineer. */ -"Embed SmugMug content." = "Embed SmugMug content."; - -/* No comment provided by engineer. */ -"Embed SoundCloud content." = "Embed SoundCloud content."; - -/* No comment provided by engineer. */ -"Embed Speaker Deck content." = "Embed Speaker Deck content."; - -/* No comment provided by engineer. */ -"Embed Spotify content." = "Embed Spotify content."; - -/* No comment provided by engineer. */ -"Embed a Dailymotion video." = "Embed a Dailymotion video."; - -/* No comment provided by engineer. */ -"Embed a Facebook post." = "Embed a Facebook post."; - -/* No comment provided by engineer. */ -"Embed a Reddit thread." = "Embed a Reddit thread."; - -/* No comment provided by engineer. */ -"Embed a TED video." = "Embed a TED video."; - -/* No comment provided by engineer. */ -"Embed a TikTok video." = "Embed a TikTok video."; - -/* No comment provided by engineer. */ -"Embed a Tumblr post." = "Embed a Tumblr post."; - -/* No comment provided by engineer. */ -"Embed a VideoPress video." = "Embed a VideoPress video."; - -/* No comment provided by engineer. */ -"Embed a Vimeo video." = "Embed a Vimeo video."; - -/* No comment provided by engineer. */ -"Embed a WordPress post." = "Embed a WordPress post."; - -/* No comment provided by engineer. */ -"Embed a WordPress.tv video." = "Embed a WordPress.tv video."; - -/* No comment provided by engineer. */ -"Embed a YouTube video." = "Embed a YouTube video."; - -/* No comment provided by engineer. */ -"Embed a simple audio player." = "Embed a simple audio player."; - -/* No comment provided by engineer. */ -"Embed a tweet." = "Embed a tweet."; - -/* No comment provided by engineer. */ -"Embed a video from your media library or upload a new one." = "Embed a video from your media library or upload a new one."; - -/* No comment provided by engineer. */ -"Embed an Animoto video." = "Embed an Animoto video."; - -/* No comment provided by engineer. */ -"Embed an Instagram post." = "Embed an Instagram post."; - -/* translators: %s: filename. */ -"Embed of %s." = "Embed of %s."; - -/* No comment provided by engineer. */ -"Embed of the selected PDF file." = "Embed of the selected PDF file."; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s" = "Embedded content from %s"; - -/* translators: %s: host providing embed content e.g: www.youtube.com */ -"Embedded content from %s can't be previewed in the editor." = "Embedded content from %s can't be previewed in the editor."; - -/* No comment provided by engineer. */ -"Embedding…" = "Embedding…"; - /* Accessibility value presented in the signup epilogue for an empty value. Label for size of media when the cache is empty. */ "Empty" = "清空"; @@ -2884,9 +2351,6 @@ /* Message to show to user when he tries to add a self-hosted site that is an empty URL. */ "Empty URL" = "空的網址"; -/* No comment provided by engineer. */ -"Empty block; start writing or type forward slash to choose a block" = "Empty block; start writing or type forward slash to choose a block"; - /* Button title for the enable site notifications action. */ "Enable" = "啓用"; @@ -2908,17 +2372,11 @@ /* Placeholder for the end date in calendar range selection */ "End Date" = "結束日期"; -/* No comment provided by engineer. */ -"English" = "English"; - /* Accessibility Label for the enter full screen button on the comment reply text view */ "Enter Full Screen" = "進入全螢幕"; /* No comment provided by engineer. */ -"Enter URL here…" = "Enter URL here…"; - -/* No comment provided by engineer. */ -"Enter URL to embed here…" = "Enter URL to embed here…"; +"Enter URL to embed here…" = "在這裡輸入網址以嵌入內容…"; /* Enter a custom value */ "Enter a custom value" = "輸入自訂值"; @@ -2929,9 +2387,6 @@ /* Message explaining why the user might enter a password. */ "Enter a password to protect this post" = "輸入密碼保護這篇文章"; -/* No comment provided by engineer. */ -"Enter address" = "Enter address"; - /* Secondary message shown when there are no domains that match the user entered text. */ "Enter different words above and we'll look for an address that matches it." = "請在上方輸入其他文字,我們會尋找與其相符的地址。"; @@ -2969,10 +2424,10 @@ "Enter your server credentials to enable one click site restores from backups." = "輸入你的伺服器憑證,啟用從備份一鍵還原網站的功能。"; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threat." = "Enter your server credentials to fix threat."; +"Enter your server credentials to fix threat." = "輸入你的伺服器憑證以修正威脅。"; /* Title for button when a site is missing server credentials */ -"Enter your server credentials to fix threats." = "Enter your server credentials to fix threats."; +"Enter your server credentials to fix threats." = "輸入你的伺服器憑證以修正威脅。"; /* Generic error alert title Generic error. @@ -3064,9 +2519,6 @@ /* Title of error dialog when updating speed up site settings fail. */ "Error updating speed up site settings" = "更新加速網站設定時發生錯誤"; -/* translators: example text. */ -"Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit." = "Etiam et egestas lorem. Vivamus sagittis sit amet dolor quis lobortis. Integer sed fermentum arcu, id vulputate lacus. Etiam fermentum sem eu quam hendrerit."; - /* Title for the activity detail view */ "Event" = "活動"; @@ -3122,9 +2574,6 @@ /* Title of a Quick Start Tour */ "Explore plans" = "探索各種方案"; -/* No comment provided by engineer. */ -"Export" = "Export"; - /* Export Content confirmation action title Label for selecting the Export Content Settings item */ "Export Content" = "匯出內容"; @@ -3197,9 +2646,6 @@ /* No comment provided by engineer. */ "Featured Image did not load" = "精選圖片未載入"; -/* No comment provided by engineer. */ -"February 21, 2019" = "February 21, 2019"; - /* Text displayed while fetching themes */ "Fetching Themes..." = "正在擷取佈景主題..."; @@ -3238,9 +2684,6 @@ /* Label for the file type (.JPG, .PNG, etc) for a media asset (image / video) */ "File type" = "檔案類型"; -/* No comment provided by engineer. */ -"Fill" = "Fill"; - /* The password manager button in login pages. The button opens a dialog showing which password manager to use (e.g. 1Password, LastPass). */ "Fill with password manager" = "使用密碼管理員填寫"; @@ -3270,9 +2713,6 @@ User's First Name */ "First Name" = "名字"; -/* No comment provided by engineer. */ -"Five." = "Five."; - /* Button title that attempts to fix all fixable threats */ "Fix All" = "全部修復"; @@ -3285,9 +2725,6 @@ /* Displays the fixed threats */ "Fixed" = "固定"; -/* No comment provided by engineer. */ -"Fixed width table cells" = "Fixed width table cells"; - /* Subtitle displayed while the server is fixing threats */ "Fixing Threats" = "正在修正威脅"; @@ -3367,30 +2804,12 @@ /* An example tag used in the login prologue screens. */ "Football" = "橄欖球"; -/* No comment provided by engineer. */ -"Footer cell text" = "Footer cell text"; - -/* No comment provided by engineer. */ -"Footer label" = "Footer label"; - -/* No comment provided by engineer. */ -"Footer section" = "Footer section"; - -/* No comment provided by engineer. */ -"Footers" = "Footers"; - /* Register Domain - Domain contact information section header description */ "For your convenience, we have pre-filled your WordPress.com contact information. Please review to be sure it’s the correct information you want to use for this domain." = "為了方便起見,我們已預先填入你的 WordPress.com 聯絡人資訊。請檢視各項資訊,以確認這是你想要用於此網域的正確資訊。"; -/* No comment provided by engineer. */ -"Format settings" = "Format settings"; - /* Next web page */ "Forward" = "轉寄"; -/* No comment provided by engineer. */ -"Four." = "Four."; - /* Browse free themes selection title */ "Free" = "免費"; @@ -3418,9 +2837,6 @@ /* Badge title displayed on GIF images in the editor. */ "GIF" = "GIF"; -/* No comment provided by engineer. */ -"Gallery caption text" = "Gallery caption text"; - /* translators: accessibility text. %s: gallery caption. */ "Gallery caption. %s" = "圖庫標題。%s"; @@ -3465,7 +2881,7 @@ "Get your site up and running" = "讓你的網站上線運作"; /* Example post title used in the login prologue screens. */ -"Getting Inspired" = "Getting Inspired"; +"Getting Inspired" = "激發靈感"; /* Alerts the user that wpcom account information is being retrieved. */ "Getting account information" = "取得帳號資訊"; @@ -3473,18 +2889,9 @@ /* Cancel */ "Give Up" = "放棄"; -/* No comment provided by engineer. */ -"Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar" = "Give quoted text visual emphasis. \"In quoting others, we cite ourselves.\" — Julio Cortázar"; - -/* No comment provided by engineer. */ -"Give special visual emphasis to a quote from your text." = "Give special visual emphasis to a quote from your text."; - /* Description of a Quick Start Tour */ "Give your site a name that reflects its personality and topic. First impressions count!" = "為網站取一個能反映出自我風格和主題的名稱。 第一印象很重要!"; -/* No comment provided by engineer. */ -"Global Styles" = "Global Styles"; - /* Option to select the Gmail app when logging in with magic links */ "Gmail" = "Gmail"; @@ -3557,9 +2964,6 @@ /* Post HTML content */ "HTML Content" = "HTML 內容"; -/* No comment provided by engineer. */ -"HTML element" = "HTML element"; - /* Accessibility label for selecting h1 paragraph style button on the formatting toolbar. */ "Header 1" = "標題 1"; @@ -3578,23 +2982,8 @@ /* Accessibility label for selecting h6 paragraph style button on the formatting toolbar. */ "Header 6" = "標題 6"; -/* No comment provided by engineer. */ -"Header cell text" = "Header cell text"; - -/* No comment provided by engineer. */ -"Header label" = "Header label"; - -/* No comment provided by engineer. */ -"Header section" = "Header section"; - -/* No comment provided by engineer. */ -"Headers" = "Headers"; - -/* No comment provided by engineer. */ -"Heading" = "Heading"; - /* translators: %s: heading level e.g: \"1\", \"2\", \"3\" */ -"Heading %d" = "Heading %d"; +"Heading %d" = "標題 %d"; /* H1 Aztec Style */ "Heading 1" = "標題 1"; @@ -3614,12 +3003,6 @@ /* H6 Aztec Style */ "Heading 6" = "標題 6"; -/* No comment provided by engineer. */ -"Heading text" = "Heading text"; - -/* No comment provided by engineer. */ -"Height in pixels" = "Height in pixels"; - /* Help button */ "Help" = "幫助"; @@ -3633,9 +3016,6 @@ /* No comment provided by engineer. */ "Help icon" = "說明圖示"; -/* No comment provided by engineer. */ -"Help visitors find your content." = "Help visitors find your content."; - /* Appended to latest post summary text when the post has data. */ "Here's how the post performed so far." = "文章截至目前為止獲得的迴響如下。"; @@ -3656,9 +3036,6 @@ /* No comment provided by engineer. */ "Hide keyboard" = "隱藏鍵盤"; -/* No comment provided by engineer. */ -"Hide the excerpt on the full content page" = "Hide the excerpt on the full content page"; - /* Displays the History screen from the editor's alert sheet Title of a navigation button that opens the scan history view Title of the post history screen */ @@ -3674,9 +3051,6 @@ Settings: Comments Moderation */ "Hold for Moderation" = "等待審核"; -/* translators: 'Home' as in a website's home page. */ -"Home" = "Home"; - /* The item to select during a guided tour. Title for setting which shows the current page assigned as a site's homepage Title for the homepage section in site settings screen @@ -3693,9 +3067,6 @@ /* User-facing string, presented to reflect that site assembly is underway. */ "Hooray!\nAlmost done" = "Hooray!\nAlmost done"; -/* No comment provided by engineer. */ -"Horizontal" = "Horizontal"; - /* Title for the fix section in Threat Details: Threat is fixed */ "How did Jetpack fix it?" = "Jetpack 如何修復問題?"; @@ -3709,7 +3080,7 @@ "I Like It" = "我喜歡"; /* Example post content used in the login prologue screens. */ -"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next"; +"I am so inspired by photographer Cameron Karsten's work. I will be trying these techniques on my next" = "攝影師 Cameron Karsten 的作品讓我深受啟發。 我下次會嘗試這些技巧"; /* Title of a button style */ "Icon & Text" = "圖示與文字"; @@ -3726,9 +3097,6 @@ /* Legal disclaimer for signing up. The underscores _..._ denote underline. */ "If you continue with Apple or Google and don't already have a WordPress.com account, you are creating an account and you agree to our _Terms of Service_." = "如果你繼續使用 Apple 或 Google 操作且尚未擁有 WordPress.com 帳號,即表示你正在建立帳號,並同意我們的_服務條款_。"; -/* No comment provided by engineer. */ -"If you have entered a custom label, it will be prepended before the title." = "If you have entered a custom label, it will be prepended before the title."; - /* First line of remove user warning in confirmation dialog. Note: '%@' is the placeholder for the user's name and it must exist twice in this string. */ "If you remove %@, that user will no longer be able to access this site, but any content that was created by %@ will remain on the site." = "若移除 %1$@,該使用者將無法再存取此網站,但 %2$@ 建立的所有內容仍會保留在網站上。"; @@ -3768,27 +3136,18 @@ /* Title of the screen for choosing an image's size. */ "Image Size" = "圖片大小"; -/* No comment provided by engineer. */ -"Image caption text" = "Image caption text"; - /* translators: accessibility text. %s: image caption. */ "Image caption. %s" = "圖片說明。%s"; /* No comment provided by engineer. */ -"Image settings" = "Image settings"; +"Image settings" = "圖片設定"; /* Hint for image title on image settings. */ -"Image title" = "圖片標題"; - -/* No comment provided by engineer. */ -"Image width" = "圖片寬度"; +"Image title" = "圖片標題"; /* Accessibility label for image thumbnails in the media collection view. The parameter is the creation date of the image. */ "Image, %@" = "圖片 (%@ 建立)"; -/* No comment provided by engineer. */ -"Image, Date, & Title" = "Image, Date, & Title"; - /* Undated post time label */ "Immediately" = "立即"; @@ -3798,15 +3157,6 @@ /* Explain what is the purpose of the tagline */ "In a few words, explain what this site is about." = "請用簡單幾字描述此網站的內容。"; -/* No comment provided by engineer. */ -"In a few words, what this site is about." = "In a few words, what this site is about."; - -/* No comment provided by engineer. */ -"In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing." = "In a village of La Mancha, the name of which I have no desire to call to mind, there lived not long since one of those gentlemen that keep a lance in the lance-rack, an old buckler, a lean hack, and a greyhound for coursing."; - -/* No comment provided by engineer. */ -"In quoting others, we cite ourselves." = "In quoting others, we cite ourselves."; - /* Describes a status of a plugin */ "Inactive" = "未啟用"; @@ -3825,12 +3175,6 @@ /* An error message shown when a user signed in with incorrect credentials. */ "Incorrect username or password. Please try entering your login details again." = "錯誤的使用者名稱或密碼。請再次嘗試輸入你的登入詳細資料。"; -/* No comment provided by engineer. */ -"Indent" = "Indent"; - -/* No comment provided by engineer. */ -"Indent list item" = "Indent list item"; - /* Title for a threat */ "Infected core file" = "受感染的核心檔案"; @@ -3862,36 +3206,9 @@ /* Discoverability title for insert media keyboard shortcut. */ "Insert Media" = "插入媒體"; -/* No comment provided by engineer. */ -"Insert a table for sharing data." = "Insert a table for sharing data."; - -/* No comment provided by engineer. */ -"Insert a table — perfect for sharing charts and data." = "Insert a table — perfect for sharing charts and data."; - -/* No comment provided by engineer. */ -"Insert additional custom elements with a WordPress shortcode." = "Insert additional custom elements with a WordPress shortcode."; - -/* No comment provided by engineer. */ -"Insert an image to make a visual statement." = "Insert an image to make a visual statement."; - -/* No comment provided by engineer. */ -"Insert column after" = "Insert column after"; - -/* No comment provided by engineer. */ -"Insert column before" = "Insert column before"; - /* Accessibility label for insert media button on formatting toolbar. */ "Insert media" = "插入媒體"; -/* No comment provided by engineer. */ -"Insert poetry. Use special spacing formats. Or quote song lyrics." = "Insert poetry. Use special spacing formats. Or quote song lyrics."; - -/* No comment provided by engineer. */ -"Insert row after" = "Insert row after"; - -/* No comment provided by engineer. */ -"Insert row before" = "Insert row before"; - /* Default accessibility label for the media picker insert button. */ "Insert selected" = "插入選取的項目"; @@ -3928,9 +3245,6 @@ /* Message displayed in an alert when user tries to install a first plugin on their site. */ "Installing the first plugin on your site can take up to 1 minute. During this time you won’t be able to make changes to your site." = "在你的網站上安裝第一個外掛程式,可能需要 1 分鐘的時間。在此期間,你無法對你的網站進行任何變更。"; -/* No comment provided by engineer. */ -"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content." = "Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content."; - /* Stories intro header title */ "Introducing Story Posts" = "限時動態文章介紹"; @@ -3980,9 +3294,6 @@ Discoverability title for italic formatting keyboard shortcut. */ "Italic" = "斜體"; -/* No comment provided by engineer. */ -"Jazz Musician" = "Jazz Musician"; - /* Section title for the publish table section in the blog details screen Title for the Jetpack Installation Title for the Jetpack section in site settings screen */ @@ -4057,9 +3368,6 @@ /* Description of a Quick Start Tour */ "Keep up to date on your site’s performance." = "隨時掌握你的網站效能。"; -/* No comment provided by engineer. */ -"Kind" = "Kind"; - /* Autoapprove only from known users */ "Known Users" = "已知使用者"; @@ -4069,17 +3377,11 @@ /* Noun. Title for the setting to edit the sharing label text. */ "Label" = "標籤"; -/* No comment provided by engineer. */ -"Landscape" = "橫向螢幕"; - /* Label for the privacy setting Language of the current blog Title for the Language Picker Screen */ "Language" = "語言"; -/* No comment provided by engineer. */ -"Language tag (en, fr, etc.)" = "Language tag (en, fr, etc.)"; - /* Large image size. Should be the same as in core WP. */ "Large" = "大"; @@ -4091,9 +3393,6 @@ /* Insights latest post summary header */ "Latest Post Summary" = "最新文章摘要"; -/* No comment provided by engineer. */ -"Latest comments settings" = "Latest comments settings"; - /* Title of a button. Tapping allows the user to learn more about the specific error. */ "Learn More" = "了解更多資訊"; @@ -4111,9 +3410,6 @@ /* Writing, Date and Time Settings: Learn more about date and time settings footer text */ "Learn more about date and time formatting." = "深入瞭解日期與時間格式。"; -/* No comment provided by engineer. */ -"Learn more about embeds" = "Learn more about embeds"; - /* Footer text for Invite People role field. */ "Learn more about roles" = "瞭解更多有關角色的資訊"; @@ -4126,21 +3422,12 @@ /* Title displayed for selection of custom app icons that may be removed in a future release of the app. */ "Legacy Icons" = "舊版圖示"; -/* No comment provided by engineer. */ -"Legacy Widget" = "Legacy Widget"; - /* Heading for instructions on Start Over settings page */ "Let Us Help" = "我們樂意協助"; /* Title for the button that will dismiss this view. */ "Let me know when finished!" = "完成時通知我!"; -/* translators: accessibility text. 1: heading level. 2: heading content. */ -"Level %1$s. %2$s" = "層級 %1$s。%2$s"; - -/* translators: accessibility text. %s: heading level. */ -"Level %s. Empty." = "層級 %s。空白。"; - /* Title for the app appearance setting for light mode */ "Light" = "淡色系"; @@ -4202,19 +3489,7 @@ "Link To" = "連結至"; /* No comment provided by engineer. */ -"Link color" = "Link color"; - -/* No comment provided by engineer. */ -"Link label" = "Link label"; - -/* No comment provided by engineer. */ -"Link rel" = "Link rel"; - -/* No comment provided by engineer. */ -"Link to" = "Link to"; - -/* translators: %s: Name of the post type e.g: \"post\". */ -"Link to %s" = "Link to %s"; +"Link to" = "連結至"; /* Action. Label for navigate and display links to other posts on the site */ "Link to existing content" = "連結至既有內容"; @@ -4224,24 +3499,9 @@ Settings: Comments Approval settings */ "Links in comments" = "留言中的連結"; -/* No comment provided by engineer. */ -"Links shown in a column." = "Links shown in a column."; - -/* No comment provided by engineer. */ -"Links shown in a row." = "Links shown in a row."; - -/* No comment provided by engineer. */ -"List" = "List"; - -/* No comment provided by engineer. */ -"List of template parts" = "List of template parts"; - /* The accessibility label for the list style button in the Post List. */ "List style" = "清單樣式"; -/* No comment provided by engineer. */ -"List text" = "List text"; - /* Title of the screen that load selected the revisions. */ "Load" = "載入"; @@ -4311,9 +3571,6 @@ Text displayed while loading time zones */ "Loading..." = "正在載入..."; -/* No comment provided by engineer. */ -"Loading…" = "Loading…"; - /* Status for Media object that is only exists locally. */ "Local" = "本機"; @@ -4369,9 +3626,6 @@ /* Instructions on the WordPress.com username / password log in form. */ "Log in with your WordPress.com username and password." = "請使用你的 WordPress.com 使用者名稱和密碼登入。"; -/* No comment provided by engineer. */ -"Log out" = "Log out"; - /* LogOut confirmation text, whenever there are no local changes */ "Log out of WordPress?" = "是否要登出 WordPress?"; @@ -4379,12 +3633,6 @@ Login Request Expired */ "Login Request Expired" = "登入要求已到期"; -/* No comment provided by engineer. */ -"Login\/out settings" = "Login\/out settings"; - -/* No comment provided by engineer. */ -"Logos Only" = "Logos Only"; - /* No comment provided by engineer. */ "Logs" = "記錄"; @@ -4395,10 +3643,7 @@ "Looks like you have Jetpack set up on your site. Congrats! Log in with your WordPress.com credentials to enable Stats and Notifications." = "你似乎已在網站上設定 Jetpack。恭喜!使用 WordPress.com 憑證登入,以啟用「統計與通知」。"; /* No comment provided by engineer. */ -"Loop" = "Loop"; - -/* translators: example text. */ -"Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis." = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. Praesent et eros eu felis."; +"Loop" = "重複播放"; /* Title of a button. */ "Lost your password?" = "忘記密碼?"; @@ -4409,15 +3654,6 @@ /* No comment provided by engineer. */ "Main Navigation" = "主導覽"; -/* No comment provided by engineer. */ -"Main color" = "Main color"; - -/* No comment provided by engineer. */ -"Make template part" = "Make template part"; - -/* No comment provided by engineer. */ -"Make title a link" = "Make title a link"; - /* Button leading to a screen where users can manage their installed plugins Page title for the screen to manage your list of followed sites. Screen title, where users can see all their installed plugins. @@ -4476,21 +3712,12 @@ /* Jetpack Settings: Match accounts using email */ "Match accounts using email" = "以電子郵件尋配對帳戶"; -/* No comment provided by engineer. */ -"Matt Mullenweg" = "Matt Mullenweg"; - /* Title for the image size settings option. */ "Max Image Upload Size" = "最大圖片上傳大小"; /* Title for the video size settings option. */ "Max Video Upload Size" = "最大影片上傳大小"; -/* No comment provided by engineer. */ -"Max number of words in excerpt" = "Max number of words in excerpt"; - -/* No comment provided by engineer. */ -"May 7, 2019" = "May 7, 2019"; - /* Accessibility label for the Me button in My Site. Label for the post author filter. This filter shows posts only authored by the current user. Me page title @@ -4528,13 +3755,13 @@ "Media Uploads" = "媒體上傳"; /* No comment provided by engineer. */ -"Media area" = "Media area"; +"Media area" = "媒體區域"; /* Error message to show to users when trying to upload a media object with no local file associated */ "Media doesn't have an associated file to upload." = "媒體沒有可上傳的相關檔案。"; /* No comment provided by engineer. */ -"Media file" = "Media file"; +"Media file" = "媒體檔案"; /* Error message to show to users when trying to upload a media object with file size is larger than the max file size allowed in the site */ "Media filesize (%@) is too large to upload. Maximum allowed is %@" = "媒體檔案大小 (%1$@) 太大,無法上傳。檔案大小上限為 %2$@"; @@ -4542,9 +3769,6 @@ /* Alert title when there is issues loading an asset to preview. */ "Media preview failed." = "媒體預覽失敗。"; -/* No comment provided by engineer. */ -"Media settings" = "Media settings"; - /* Alert displayed to the user when multiple media items have uploaded successfully. */ "Media uploaded (%ld files)" = "上傳的媒體 (%ld 個檔案)"; @@ -4592,9 +3816,6 @@ /* Jetpack Monitor Settings: Monitor site's uptime */ "Monitor your site's uptime" = "監看頁面的運行時間"; -/* translators: Caption accompanying an image of the Mont Blanc, which serves as an example for the Image block. */ -"Mont Blanc appears—still, snowy, and serene." = "Mont Blanc appears—still, snowy, and serene."; - /* Title of Months stats filter. */ "Months" = "月"; @@ -4625,9 +3846,6 @@ /* Section title for global related posts. */ "More on WordPress.com" = "如要瞭解更多資訊,請前往 WordPress.com"; -/* No comment provided by engineer. */ -"More tools & options" = "More tools & options"; - /* Insights 'Most Popular Time' header */ "Most Popular Time" = "最熱門的時間"; @@ -4664,12 +3882,6 @@ /* Option to move Insight down in the view. */ "Move down" = "向下移動"; -/* No comment provided by engineer. */ -"Move image backward" = "Move image backward"; - -/* No comment provided by engineer. */ -"Move image forward" = "Move image forward"; - /* Screen reader text for button that will move the menu item */ "Move menu item" = "移動選單項目"; @@ -4696,14 +3908,11 @@ "Moves the comment to the Trash." = "將留言移至垃圾桶。"; /* Example post title used in the login prologue screens. */ -"Museums to See In London" = "Museums to See In London"; +"Museums to See In London" = "倫敦的博物館"; /* An example tag used in the login prologue screens. */ "Music" = "音樂"; -/* No comment provided by engineer. */ -"Muted" = "Muted"; - /* Link to My Profile section My Profile view title */ "My Profile" = "我的個人檔案"; @@ -4725,10 +3934,7 @@ "My Tickets" = "我的票證"; /* Example post title used in the login prologue screens. */ -"My Top Ten Cafes" = "My Top Ten Cafes"; - -/* translators: example text. */ -"Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim." = "Nam risus massa, ullamcorper consectetur eros fermentum, porta aliquet ligula. Sed vel mauris nec enim."; +"My Top Ten Cafes" = "我最愛的十家咖啡館"; /* Accessibility label for the Email text field. Name text field placeholder */ @@ -4746,12 +3952,6 @@ /* No comment provided by engineer. */ "Navigates to customize the gradient" = "瀏覽至自訂漸層色彩"; -/* No comment provided by engineer. */ -"Navigation (horizontal)" = "Navigation (horizontal)"; - -/* No comment provided by engineer. */ -"Navigation (vertical)" = "Navigation (vertical)"; - /* 'Need help?' button label, links off to the WP for iOS FAQ. */ "Need Help?" = "需要幫助嗎?"; @@ -4774,9 +3974,6 @@ /* Blocklist Keyword Insertion Title */ "New Blocklist Word" = "新增封鎖清單字詞"; -/* No comment provided by engineer. */ -"New Column" = "New Column"; - /* Title of alert informing users about the Reader Save for Later feature. */ "New Custom App Icons" = "全新自訂應用程式圖示"; @@ -4801,9 +3998,6 @@ /* Noun. The title of an item in a list. */ "New posts" = "新文章"; -/* No comment provided by engineer. */ -"New template part" = "New template part"; - /* Screen title, where users can see the newest plugins */ "Newest" = "最新"; @@ -4816,24 +4010,15 @@ Title of a button. The text should be capitalized. */ "Next" = "下一篇"; -/* No comment provided by engineer. */ -"Next Page" = "Next Page"; - /* Table view title for the quick start section. */ "Next Steps" = "後續步驟"; /* Accessibility label for the next notification button */ "Next notification" = "下一則通知"; -/* No comment provided by engineer. */ -"Next page link" = "Next page link"; - /* Accessibility label */ "Next period" = "下個期間"; -/* No comment provided by engineer. */ -"Next post" = "Next post"; - /* Label for a cancel button */ "No" = "不"; @@ -4850,9 +4035,6 @@ Title of error prompt when no internet connection is available. */ "No Connection" = "沒有連線"; -/* No comment provided by engineer. */ -"No Date" = "No Date"; - /* List Editor Empty State Message */ "No Items" = "無項目"; @@ -4905,9 +4087,6 @@ Displayed when there are no comments in the Comments views. */ "No comments yet" = "尚無回應"; -/* No comment provided by engineer. */ -"No comments." = "No comments."; - /* An error message title shown when there is no internet connection. Displayed during Site Creation, when searching for Verticals and the network is unavailable. Title for the error view when there's no connection */ @@ -5016,9 +4195,6 @@ /* Accessibility value for a Stats' Posting Activity Month if there are no posts. */ "No posts." = "沒有文章。"; -/* No comment provided by engineer. */ -"No preview available." = "No preview available."; - /* A message title */ "No recent posts" = "沒有近期文章"; @@ -5081,18 +4257,9 @@ /* Instructions after a Magic Link was sent, but the email can't be found in their inbox. */ "Not seeing the email? Check your Spam or Junk Mail folder." = "沒看到電子郵件? 請檢查你的「垃圾郵件」資料夾。"; -/* No comment provided by engineer. */ -"Note: Autoplaying audio may cause usability issues for some visitors." = "Note: Autoplaying audio may cause usability issues for some visitors."; - -/* No comment provided by engineer. */ -"Note: Autoplaying videos may cause usability issues for some visitors." = "Note: Autoplaying videos may cause usability issues for some visitors."; - /* No comment provided by engineer. */ "Note: Column layout may vary between themes and screen sizes" = "請注意:內容欄版面配置可能會因佈景主題和螢幕尺寸而有所不同"; -/* No comment provided by engineer. */ -"Note: Most phone and tablet browsers won't display embedded PDFs." = "Note: Most phone and tablet browsers won't display embedded PDFs."; - /* Shown when user is loading Menu item options and no items are available, such as posts, pages, etc. */ "Nothing found." = "什麼都沒找到。"; @@ -5134,9 +4301,6 @@ /* Register Domain - Address information field Number */ "Number" = "號"; -/* No comment provided by engineer. */ -"Number of comments" = "Number of comments"; - /* Discoverability title for numbered list keyboard shortcut. */ "Numbered List" = "編號清單"; @@ -5193,15 +4357,6 @@ /* Accessibility label for 1 password button */ "One Password button" = "One Password 按鈕"; -/* No comment provided by engineer. */ -"One column" = "One column"; - -/* translators: Quote serving as example for the Pullquote block. Attributed to Matt Mullenweg. */ -"One of the hardest things to do in technology is disrupt yourself." = "One of the hardest things to do in technology is disrupt yourself."; - -/* No comment provided by engineer. */ -"One." = "One."; - /* Subtitle displayed when the user has removed all Insights from display. */ "Only see the most relevant stats. Add insights to fit your needs." = "只查看最相關的統計資料。新增洞察報告,滿足您的需求。"; @@ -5220,6 +4375,9 @@ Title for the warning shown to the user when the app realizes there should be an auth token but there isn't one. */ "Oops!" = "糟糕!"; +/* No comment provided by engineer. */ +"Open Block Actions Menu" = "開啟區塊操作選單"; + /* Opens iOS's Device Settings for WordPress App */ "Open Device Settings" = "開啟裝置設定"; @@ -5233,9 +4391,6 @@ /* Today widget label to launch WP app */ "Open WordPress" = "開啟 WordPress"; -/* No comment provided by engineer. */ -"Open block navigation" = "Open block navigation"; - /* Editor button to swich the media picker from quick mode to full picker */ "Open full media picker" = "開啟所有媒體挑選器"; @@ -5281,15 +4436,9 @@ /* Label for button to log in using site address. Underscores _..._ denote underline. */ "Or log in by _entering your site address_." = "或輸入網站位址登入。"; -/* No comment provided by engineer. */ -"Ordered" = "Ordered"; - /* Accessibility label for Ordered list button on formatting toolbar. */ "Ordered List" = "已排序清單"; -/* No comment provided by engineer. */ -"Ordered list settings" = "Ordered list settings"; - /* Register Domain - Domain contact information field Organization */ "Organization" = "組織"; @@ -5321,24 +4470,9 @@ Other Sites Notification Settings Title */ "Other Sites" = "其他網站"; -/* No comment provided by engineer. */ -"Outdent" = "Outdent"; - -/* No comment provided by engineer. */ -"Outdent list item" = "Outdent list item"; - -/* No comment provided by engineer. */ -"Outline" = "Outline"; - /* Used to indicate a setting is overridden in debug builds of the app */ "Overridden" = "已覆寫"; -/* No comment provided by engineer. */ -"PDF embed" = "PDF embed"; - -/* No comment provided by engineer. */ -"PDF settings" = "PDF settings"; - /* Register Domain - Phone number section header title */ "PHONE" = "電話"; @@ -5346,9 +4480,6 @@ Noun. Type of content being selected is a blog page */ "Page" = "網頁"; -/* No comment provided by engineer. */ -"Page Link" = "網頁連結"; - /* Prompts the user that a restored page was moved to the drafts list. */ "Page Restored to Drafts" = "頁面已還原為草稿"; @@ -5363,7 +4494,7 @@ "Page Settings" = "頁面設定"; /* No comment provided by engineer. */ -"Page break" = "Page break"; +"Page break" = "分頁標籤"; /* translators: accessibility text. %s: Page break text. */ "Page break block. %s" = "分頁符號區塊。%s"; @@ -5407,12 +4538,6 @@ Settings: Comments Paging preferences */ "Paging" = "分頁"; -/* No comment provided by engineer. */ -"Paragraph" = "段落"; - -/* No comment provided by engineer. */ -"Paragraph block" = "Paragraph block"; - /* Placeholder to set a parent category for a new category. Title for selecting parent category of a category */ "Parent Category" = "上層分類"; @@ -5442,7 +4567,7 @@ "Paste URL" = "貼上 URL"; /* No comment provided by engineer. */ -"Paste a link to the content you want to display on your site." = "Paste a link to the content you want to display on your site."; +"Paste block after" = "將區塊貼在以下物件後方:"; /* Paste without Formatting Menu Item */ "Paste without Formatting" = "貼上並且不設定格式"; @@ -5490,9 +4615,6 @@ /* Prompt for the screen to pick a design and homepage for a site. */ "Pick your favorite homepage layout. You can edit and customize it later." = "選擇你喜愛的首頁版面配置。 你可於稍後加以編輯及自訂。"; -/* No comment provided by engineer. */ -"Pill Shape" = "Pill Shape"; - /* The item to select during a guided tour. */ "Plan" = "方案"; @@ -5500,15 +4622,9 @@ Title for the plan selector */ "Plans" = "方案"; -/* No comment provided by engineer. */ -"Play inline" = "Play inline"; - /* User action to play a video on the editor. */ "Play video" = "播放影片"; -/* No comment provided by engineer. */ -"Playback controls" = "Playback controls"; - /* Suggestion to add content before trying to publish post or page */ "Please add some content before trying to publish." = "請先新增一些內容,再嘗試發表。"; @@ -5652,9 +4768,6 @@ /* Section title for Popular Languages */ "Popular languages" = "熱門語言"; -/* No comment provided by engineer. */ -"Portrait" = "大頭照"; - /* Menu item label for linking a post. Noun. Type of content being selected is a blog post */ "Post" = "張貼"; @@ -5662,40 +4775,10 @@ /* Title for selecting categories for a post */ "Post Categories" = "文章類別"; -/* No comment provided by engineer. */ -"Post Comment" = "Post Comment"; - -/* No comment provided by engineer. */ -"Post Comment Author" = "Post Comment Author"; - -/* No comment provided by engineer. */ -"Post Comment Content" = "Post Comment Content"; - -/* No comment provided by engineer. */ -"Post Comment Date" = "Post Comment Date"; - -/* No comment provided by engineer. */ -"Post Comments Count block: post not found." = "Post Comments Count block: post not found."; - -/* No comment provided by engineer. */ -"Post Comments Form" = "Post Comments Form"; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments are not enabled for this post type." = "Post Comments Form block: comments are not enabled for this post type."; - -/* No comment provided by engineer. */ -"Post Comments Form block: comments to this post are not allowed." = "Post Comments Form block: comments to this post are not allowed."; - -/* No comment provided by engineer. */ -"Post Comments Link block: post not found." = "Post Comments Link block: post not found."; - /* For setting the format of a post. The post formats available for the post. Should be the same as in core WP. */ "Post Format" = "文章格式"; -/* No comment provided by engineer. */ -"Post Link" = "文章連結"; - /* Prompts the user that a restored post was moved to the drafts list. */ "Post Restored to Drafts" = "文章已還原為草稿"; @@ -5716,10 +4799,7 @@ "Post by %@, from %@" = "作者 %1$@,來自 %2$@"; /* No comment provided by engineer. */ -"Post comments block: no post found." = "Post comments block: no post found."; - -/* No comment provided by engineer. */ -"Post content settings" = "Post content settings"; +"Post content settings" = "文章內容設定"; /* The footer text appears within the footer displaying when the post has been created. */ "Post created on %@" = "Post created on %@"; @@ -5731,7 +4811,7 @@ "Post failed to upload" = "文章上傳失敗"; /* No comment provided by engineer. */ -"Post meta settings" = "Post meta settings"; +"Post meta settings" = "文章中繼資料設定"; /* A short message explaining that a post was moved to the trash bin. */ "Post moved to trash." = "文章已移至垃圾桶。"; @@ -5775,9 +4855,6 @@ /* Accessibility label for the blog name in the Reader's post details, without date. Placeholders are blog title, blog URL, author name */ "Posted in %@, at %@, by %@." = "發表於 %1$@,網址:%2$@,作者:%3$@。"; -/* No comment provided by engineer. */ -"Poster image" = "Poster image"; - /* Insights 'Posting Activity' header Title for stats Posting Activity view. */ "Posting Activity" = "張貼活動"; @@ -5788,9 +4865,6 @@ Title of a Reader tab showing Posts matching a user's search query */ "Posts" = "文章"; -/* No comment provided by engineer. */ -"Posts List" = "Posts List"; - /* Title for setting which shows the current page assigned as a site's posts page */ "Posts Page" = "文章列表頁面"; @@ -5818,10 +4892,7 @@ "Powered by Tenor" = "由 Tenor 支援"; /* No comment provided by engineer. */ -"Preformatted text" = "Preformatted text"; - -/* No comment provided by engineer. */ -"Preload" = "Preload"; +"Preload" = "預先載入"; /* Browse premium themes selection title */ "Premium" = "進階版"; @@ -5855,21 +4926,12 @@ /* Description of a Quick Start Tour */ "Preview your new site to see what your visitors will see." = "預覽你的新網站即可查看訪客將會看到的內容。"; -/* No comment provided by engineer. */ -"Previous Page" = "Previous Page"; - /* Accessibility label for the previous notification button */ "Previous notification" = "上一則通知"; -/* No comment provided by engineer. */ -"Previous page link" = "Previous page link"; - /* Accessibility label */ "Previous period" = "上個期間"; -/* No comment provided by engineer. */ -"Previous post" = "Previous post"; - /* Primary Site Picker's Title Primary Web Site */ "Primary Site" = "主網站"; @@ -5922,15 +4984,6 @@ /* Menu item label for linking a project page. */ "Projects" = "專案"; -/* No comment provided by engineer. */ -"Prompt visitors to take action with a button-style link." = "Prompt visitors to take action with a button-style link."; - -/* No comment provided by engineer. */ -"Prompt visitors to take action with a group of button-style links." = "Prompt visitors to take action with a group of button-style links."; - -/* No comment provided by engineer. */ -"Provided type is not supported." = "Provided type is not supported."; - /* Privacy setting for posts set to 'Public' (default). Should be the same as in core WP. Text for privacy settings: Public */ "Public" = "公開"; @@ -6002,12 +5055,6 @@ /* Text displayed in HUD while a post is being published. */ "Publishing..." = "正在發表..."; -/* No comment provided by engineer. */ -"Pullquote citation text" = "Pullquote citation text"; - -/* No comment provided by engineer. */ -"Pullquote text" = "Pullquote text"; - /* Title of screen showing site purchases */ "Purchases" = "購買項目"; @@ -6023,29 +5070,14 @@ /* This is the string we display when asking the user to approve push notifications in the settings app after previously having denied them. */ "Push notifications have been turned off in iOS settings. Toggle “Allow Notifications” to turn them back on." = "已於「iOS 設定」中關閉推播通知。切換至「允許通知」,重新開啟此功能。"; -/* No comment provided by engineer. */ -"Query Title" = "Query Title"; - /* The menu item to select during a guided tour. */ "Quick Start" = "快速入門"; -/* No comment provided by engineer. */ -"Quote citation text" = "Quote citation text"; - -/* No comment provided by engineer. */ -"Quote text" = "Quote text"; - -/* No comment provided by engineer. */ -"RSS settings" = "RSS settings"; - /* Prompts the user to rate us on the store */ "Rate us on the App Store" = "在 App Store 中為我們評分"; /* No comment provided by engineer. */ -"Read more" = "Read more"; - -/* No comment provided by engineer. */ -"Read more link text" = "Read more link text"; +"Read more" = "閱讀全文"; /* In the share extension, this is the text used right before attributing a quote to a website. Example: 'Read on www.site.com'. We are looking for the 'Read on' text in this situation. */ "Read on" = "到這裡瞭解:"; @@ -6100,9 +5132,6 @@ /* Message shwon to confirm a publicize connection has been successfully reconnected. */ "Reconnected" = "已重新連線"; -/* No comment provided by engineer. */ -"Redirect to current URL" = "Redirect to current URL"; - /* Label for link title in Referrers stat. */ "Referrer" = "訪客連結來源"; @@ -6142,9 +5171,6 @@ /* Information of what related post are and how they are presented */ "Related Posts displays relevant content from your site below your posts" = "相關文章會在你的文章下方顯示網站上的相關內容"; -/* No comment provided by engineer. */ -"Release Date" = "Release Date"; - /* Add asset to media picker list Alert button to confirm a plugin to be removed Button label when removing a blog @@ -6198,9 +5224,6 @@ /* Accessibility hint for the 'Save Post' button when a post is already saved. */ "Remove this post from my saved posts." = "從我的已儲存文章移除此文章。"; -/* No comment provided by engineer. */ -"Remove track" = "Remove track"; - /* User action to remove video. */ "Remove video" = "移除影片"; @@ -6226,7 +5249,7 @@ "Replace file" = "取代檔案"; /* No comment provided by engineer. */ -"Replace image" = "Replace image"; +"Replace image" = "取代圖片"; /* No comment provided by engineer. */ "Replace image or video" = "替換圖片或視訊"; @@ -6301,9 +5324,6 @@ /* Screen title. Resize and crop an image. */ "Resize & Crop" = "重新調整大小與裁切"; -/* No comment provided by engineer. */ -"Resize for smaller devices" = "Resize for smaller devices"; - /* The largest resolution allowed for uploading */ "Resolution" = "解析度"; @@ -6328,9 +5348,6 @@ /* Label that describes the restore site action */ "Restore site" = "還原網站"; -/* No comment provided by engineer. */ -"Restore template to theme default" = "Restore template to theme default"; - /* Button title for restore site action */ "Restore to this point" = "還原至此時間點"; @@ -6383,9 +5400,6 @@ /* No comment provided by engineer. */ "Reusable blocks aren't editable on WordPress for iOS" = "可重複使用區塊無法在 iOS 版 WordPress 中編輯"; -/* No comment provided by engineer. */ -"Reverse list numbering" = "Reverse list numbering"; - /* Cancels a pending Email Change */ "Revert Pending Change" = "回復待確認的變更"; @@ -6409,12 +5423,6 @@ User's Role */ "Role" = "角色"; -/* No comment provided by engineer. */ -"Rotate" = "Rotate"; - -/* No comment provided by engineer. */ -"Row count" = "Row count"; - /* One Time Code has been sent via SMS */ "SMS Sent" = "簡訊已傳送"; @@ -6648,9 +5656,6 @@ /* Accessibility label for selecting paragraph style button on formatting toolbar. */ "Select paragraph style" = "選取段落風格"; -/* No comment provided by engineer. */ -"Select poster image" = "Select poster image"; - /* A step in a guided tour for quick start. %@ will be the name of the item to select. */ "Select the %@ to add your social media accounts" = "選取 %@ 以新增社交媒體帳號"; @@ -6720,9 +5725,6 @@ /* Jetpack Monitor Settings: Send push notifications */ "Send push notifications" = "傳送推播通知"; -/* No comment provided by engineer. */ -"Separate your content into a multi-page experience." = "Separate your content into a multi-page experience."; - /* Title for the Serve images from our servers setting */ "Serve images from our servers" = "由我們的伺服器提供圖片"; @@ -6745,9 +5747,6 @@ /* Label for a button that sets the selected page as the site's Posts page */ "Set as Posts Page" = "設定為文章頁面"; -/* No comment provided by engineer. */ -"Set media and words side-by-side for a richer layout." = "Set media and words side-by-side for a richer layout."; - /* The Jetpack view button title for the success state */ "Set up" = "設定"; @@ -6819,10 +5818,7 @@ "Sharing error" = "分享錯誤"; /* No comment provided by engineer. */ -"Shortcode" = "Shortcode"; - -/* No comment provided by engineer. */ -"Shortcode text" = "Shortcode text"; +"Shortcode" = "短代碼"; /* Label for configuration switch to show/hide the header for the related posts section */ "Show Header" = "顯示頁首"; @@ -6843,13 +5839,7 @@ "Show Related Posts" = "顯示相關文章"; /* No comment provided by engineer. */ -"Show download button" = "Show download button"; - -/* No comment provided by engineer. */ -"Show inline embed" = "Show inline embed"; - -/* No comment provided by engineer. */ -"Show login & logout links." = "Show login & logout links."; +"Show download button" = "顯示下載按鈕"; /* Accessibility label for the 'Show password' button in the login page's password field. Accessibility label for the “Show password“ button in the login page's password field. */ @@ -6858,9 +5848,6 @@ /* No comment provided by engineer. */ "Show post content" = "顯示文章內容"; -/* No comment provided by engineer. */ -"Show post counts" = "Show post counts"; - /* translators: Checkbox toggle label */ "Show section" = "顯示區段"; @@ -6873,9 +5860,6 @@ /* Voiceover description for the post list filter which shows posts for just the current user on a site. */ "Showing just my posts" = "只顯示我的文章"; -/* No comment provided by engineer. */ -"Showing large initial letter." = "Showing large initial letter."; - /* Label on Post Stats view indicating which post the stats are for. */ "Showing stats for:" = "顯示以下統計資料:"; @@ -6918,9 +5902,6 @@ /* Accessibility hint for the site name and URL button on Reader's Post Details. */ "Shows the site's posts." = "顯示網站的文章。"; -/* No comment provided by engineer. */ -"Sidebars" = "Sidebars"; - /* View title during the sign up process. */ "Sign Up" = "註冊"; @@ -6954,9 +5935,6 @@ /* Title for the Language Picker View */ "Site Language" = "網站語言"; -/* No comment provided by engineer. */ -"Site Logo" = "網站標誌"; - /* Noun. Title. Links to the blog's Pages screen. The item to select during a guided tour. Title of the screen showing the list of pages for a blog. */ @@ -7004,10 +5982,7 @@ /* Prologue title label, the force splits it into 2 lines. */ -"Site security and performance\nfrom your pocket" = "Site security and performance\nfrom your pocket"; - -/* No comment provided by engineer. */ -"Site tagline text" = "Site tagline text"; +"Site security and performance\nfrom your pocket" = "網站安全性和效能\n從你的口袋"; /* Site timezone offset from UTC. The first %@ is plus or minus. %d is the number of hours. The last %@ is minutes, where applicable. Examples: `Site timezone (UTC+10:30)`, `Site timezone (UTC-8)`. */ "Site timezone (UTC%@%d%@)" = "網站時區 (UTC%1$@%2$d%3$@)"; @@ -7015,9 +5990,6 @@ /* Confirmation that the user successfully changed the site's title */ "Site title changed successfully" = "已成功變更網站標題"; -/* No comment provided by engineer. */ -"Site title text" = "Site title text"; - /* Sites Filter Tab Title Title of a Reader tab showing Sites matching a user's search query */ "Sites" = "網站"; @@ -7028,9 +6000,6 @@ /* A suggestion of topics the user might */ "Sites to follow" = "值得關注的網站"; -/* No comment provided by engineer. */ -"Six." = "Six."; - /* Image size option title. */ "Size" = "大小"; @@ -7057,12 +6026,6 @@ /* Follower Totals label for social media followers */ "Social" = "社交"; -/* No comment provided by engineer. */ -"Social Icon" = "Social Icon"; - -/* No comment provided by engineer. */ -"Solid color" = "Solid color"; - /* Confirms with the user if they save the post all media that failed to upload will be removed from it. */ "Some media uploads failed. This action will remove all failed media from the post.\nSave anyway?" = "部分媒體上傳失敗。此動作將移除文章中所有上傳失敗的媒體。\n是否仍要儲存?"; @@ -7120,9 +6083,6 @@ /* No comment provided by engineer. */ "Sorry, that username is unavailable." = "很抱歉,該使用者名稱無法使用。"; -/* No comment provided by engineer. */ -"Sorry, this content could not be embedded." = "Sorry, this content could not be embedded."; - /* No comment provided by engineer. */ "Sorry, usernames can only contain lowercase letters (a-z) and numbers." = "很抱歉,使用者名稱只能包含小寫字母 (a-z) 和數字。"; @@ -7152,23 +6112,17 @@ "Sort By" = "排序依據"; /* No comment provided by engineer. */ -"Sorting and filtering" = "Sorting and filtering"; +"Sorting and filtering" = "排序和篩選"; /* Opens the Github Repository Web */ "Source Code" = "原始碼"; -/* No comment provided by engineer. */ -"Source language" = "Source language"; - /* Used for Geo-tagging posts by latitude and longitude. Basic form. */ "South" = "南"; /* Label for showing the available disk space quota available for media */ "Space used" = "已使用的空間"; -/* No comment provided by engineer. */ -"Spacer settings" = "Spacer settings"; - /* Marks comment as spam. Spam Title of spam Comments filter. */ @@ -7181,9 +6135,6 @@ Title for the Speed up your site Settings Screen */ "Speed up your site" = "加快網站的速度"; -/* No comment provided by engineer. */ -"Square" = "Square"; - /* Standard post format label */ "Standard" = "標準"; @@ -7194,12 +6145,6 @@ Title of Start Over settings page */ "Start Over" = "重新開始"; -/* No comment provided by engineer. */ -"Start value" = "Start value"; - -/* No comment provided by engineer. */ -"Start with the building block of all narrative." = "Start with the building block of all narrative."; - /* No comment provided by engineer. */ "Start writing…" = "開始撰寫內容…"; @@ -7258,9 +6203,6 @@ /* Discoverability title for strikethrough formatting keyboard shortcut. */ "Strikethrough" = "刪除線"; -/* No comment provided by engineer. */ -"Stripes" = "Stripes"; - /* Status for Media object that is only has the mediaID locally. */ "Stub" = "Stub"; @@ -7270,9 +6212,6 @@ /* Text displayed in HUD while a post is being submitted for review. */ "Submitting for Review..." = "正在送交審查..."; -/* No comment provided by engineer. */ -"Subtitles" = "Subtitles"; - /* Notice displayed to the user after clearing the spotlight index in app settings. */ "Successfully cleared spotlight index" = "已成功清除焦點索引"; @@ -7303,9 +6242,6 @@ View title for Support page. */ "Support" = "支援"; -/* translators: example text. */ -"Suspendisse commodo neque lacus, a dictum orci interdum et." = "Suspendisse commodo neque lacus, a dictum orci interdum et."; - /* Button used to switch site */ "Switch Site" = "切換網站"; @@ -7348,18 +6284,9 @@ /* Title for the app appearance setting (light / dark mode) that uses the system default value */ "System default" = "系統預設"; -/* No comment provided by engineer. */ -"Table" = "Table"; - -/* No comment provided by engineer. */ -"Table caption text" = "Table caption text"; - /* No comment provided by engineer. */ "Table of Contents" = "目錄"; -/* No comment provided by engineer. */ -"Table settings" = "Table settings"; - /* Accessibility of stats table. Placeholder will be populated with name of data shown in table. */ "Table showing %@" = "顯示 %@ 的表格"; @@ -7373,12 +6300,6 @@ Section header for tag name in Tag Details View. */ "Tag" = "標籤"; -/* No comment provided by engineer. */ -"Tag Cloud settings" = "Tag Cloud settings"; - -/* No comment provided by engineer. */ -"Tag Link" = "標籤連結"; - /* Title of the alert indicating that a tag with that name already exists. */ "Tag already exists" = "標籤已經存在"; @@ -7475,24 +6396,6 @@ /* Create site, step 1. Select type of site. Title */ "Tell us what kind of site you'd like to make" = "告訴我們你希望建立什麼類型的網站"; -/* No comment provided by engineer. */ -"Template Part" = "Template Part"; - -/* translators: %s: template part title. */ -"Template Part \"%s\" inserted." = "Template Part \"%s\" inserted."; - -/* No comment provided by engineer. */ -"Template Parts" = "Template Parts"; - -/* No comment provided by engineer. */ -"Template part created." = "Template part created."; - -/* No comment provided by engineer. */ -"Templates" = "Templates"; - -/* No comment provided by engineer. */ -"Term description." = "Term description."; - /* The underlined title sentence */ "Terms and Conditions" = "條款與條件"; @@ -7505,19 +6408,10 @@ /* Title of a button style */ "Text Only" = "只顯示文字"; -/* No comment provided by engineer. */ -"Text link settings" = "Text link settings"; - /* Button title The button's title text to send a 2FA code via SMS text message. */ "Text me a code instead" = "請改用簡訊傳送驗證碼給我"; -/* No comment provided by engineer. */ -"Text settings" = "Text settings"; - -/* No comment provided by engineer. */ -"Text tracks" = "Text tracks"; - /* Message of alert when theme activation succeeds */ "Thanks for choosing %@ by %@" = "感謝你選擇 %2$@ 設計的 %1$@"; @@ -7573,7 +6467,7 @@ "The WordPress for Android App Gets a Big Facelift" = "Android 專用的 WordPress 應用程式已全面改款"; /* Example post title used in the login prologue screens. This is a post about football fans. */ -"The World's Best Fans" = "The World's Best Fans"; +"The World's Best Fans" = "全球最棒的粉絲"; /* No comment provided by engineer. */ "The app can't recognize the server response. Please, check the configuration of your site." = "應用程式無法辨識伺服器回應。請檢查你網站的設定。"; @@ -7581,15 +6475,6 @@ /* No comment provided by engineer. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "此伺服器的憑證無效。你可能正連線至冒充為「%@」的伺服器,而這可能洩漏你的機密資料。\n\n是否仍然要信任憑證?"; -/* translators: %s: poster image URL. */ -"The current poster image url is %s" = "The current poster image url is %s"; - -/* No comment provided by engineer. */ -"The excerpt is hidden." = "The excerpt is hidden."; - -/* No comment provided by engineer. */ -"The excerpt is visible." = "The excerpt is visible."; - /* Title for a threat that includes the file name of the file */ "The file %1$@ contains a malicious code pattern" = "檔案 %1$@ 包含惡意程式碼模式"; @@ -7678,9 +6563,6 @@ /* Message shown when a video failed to load while trying to add it to the Media library. */ "The video could not be added to the Media Library." = "無法將影片新增到媒體庫。"; -/* No comment provided by engineer. */ -"The wren
Earns his living
Noiselessly." = "The wren
Earns his living
Noiselessly."; - /* Title of alert when theme activation succeeds */ "Theme Activated" = "已啟用佈景主題"; @@ -7722,9 +6604,6 @@ /* Informs the user about an issue connecting to the third-party sharing service. The `%@` is a placeholder for the service name. */ "There is an issue connecting to %@. Reconnect to continue publicizing." = "連線至 %@ 時發生問題。重新連線,以繼續使用宣傳功能。"; -/* No comment provided by engineer. */ -"There is no poster image currently selected" = "There is no poster image currently selected"; - /* Displayed during Site Creation, when searching for Verticals and the server returns an error. No comment (test) The Jetpack view title used when an error occurred @@ -7822,12 +6701,6 @@ /* Explaining to the user why the app needs access to the device media library. */ "This app needs permission to access your device media library in order to add photos and\/or video to your posts. Please change the privacy settings if you wish to allow this." = "此應用程式需要權限才能存取你的裝置媒體庫,以便在你的文章中新增相片和\/或影片。若你希望允許此應用程式功能,請變更隱私設定。"; -/* No comment provided by engineer. */ -"This block is deprecated. Please use the Columns block instead." = "This block is deprecated. Please use the Columns block instead."; - -/* No comment provided by engineer. */ -"This column count exceeds the recommended amount and may cause visual breakage." = "This column count exceeds the recommended amount and may cause visual breakage."; - /* Notifies the user that the a domain matching the search term wasn't returned in the results */ "This domain is unavailable" = "此網域不可使用"; @@ -7896,15 +6769,6 @@ /* Message displayed when a threat is ignored successfully. */ "Threat ignored." = "已忽略威脅。"; -/* No comment provided by engineer. */ -"Three columns; equal split" = "Three columns; equal split"; - -/* No comment provided by engineer. */ -"Three columns; wide center column" = "Three columns; wide center column"; - -/* No comment provided by engineer. */ -"Three." = "Three."; - /* Thumbnail image size. Should be the same as in core WP. */ "Thumbnail" = "縮圖"; @@ -7934,21 +6798,9 @@ Title of the new Category being created. */ "Title" = "標題"; -/* No comment provided by engineer. */ -"Title & Date" = "Title & Date"; - -/* No comment provided by engineer. */ -"Title & Excerpt" = "Title & Excerpt"; - /* Error popup message to indicate that there was no category title filled in. */ "Title for a category is mandatory." = "分類標題是必填的。"; -/* No comment provided by engineer. */ -"Title of track" = "Title of track"; - -/* No comment provided by engineer. */ -"Title, Date, & Excerpt" = "Title, Date, & Excerpt"; - /* NSPhotoLibraryAddUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. NSPhotoLibraryUsageDescription: Sentence to justify why the app asks permission from the user to access is Media Library. */ "To add photos or videos to your posts." = "在你的文章中新增相片或影片。"; @@ -7980,9 +6832,6 @@ /* Instructional text shown when requesting the user's password for Google login. */ "To proceed with this Google account, please first log in with your WordPress.com password. This will only be asked once." = "若要繼續使用這個 Google 帳號,請先使用你的 WordPress.com 密碼登入。系統只會向你要求一次。"; -/* No comment provided by engineer. */ -"To show a comment, input the comment ID." = "To show a comment, input the comment ID."; - /* NSCameraUsageDescription: Sentence to justify why the app is asking permission from the user to use is camera. */ "To take photos or videos to use in your posts." = "拍些相片或影片供文章使用。"; @@ -8000,12 +6849,6 @@ /* Discoverability title for HTML keyboard shortcut. */ "Toggle HTML Source " = "切換 HTML 原始碼"; -/* No comment provided by engineer. */ -"Toggle navigation" = "Toggle navigation"; - -/* No comment provided by engineer. */ -"Toggle to show a large initial letter." = "Toggle to show a large initial letter."; - /* Accessibility Identifier for the Aztec Ordered List Style. */ "Toggles the ordered list style" = "切換至排序清單樣式"; @@ -8051,12 +6894,15 @@ /* 'This Year' label for total number of words. */ "Total Words" = "總字數"; -/* No comment provided by engineer. */ -"Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users." = "Tracks can be subtitles, captions, chapters, or descriptions. They help make your content more accessible to a wider range of users."; - /* Title for the traffic section in site settings screen */ "Traffic" = "流量"; +/* translators: %s: block title e.g: \"Paragraph\". */ +"Transform %s to" = "將 %s 轉換為"; + +/* No comment provided by engineer. */ +"Transform block…" = "轉換區塊…"; + /* No comment provided by engineer. */ "Translate" = "翻譯"; @@ -8133,18 +6979,6 @@ /* Title for the setting to edit the twitter username used when sharing to twitter. */ "Twitter Username" = "Twitter 使用者名稱"; -/* No comment provided by engineer. */ -"Two columns; equal split" = "Two columns; equal split"; - -/* No comment provided by engineer. */ -"Two columns; one-third, two-thirds split" = "Two columns; one-third, two-thirds split"; - -/* No comment provided by engineer. */ -"Two columns; two-thirds, one-third split" = "Two columns; two-thirds, one-third split"; - -/* No comment provided by engineer. */ -"Two." = "Two."; - /* Placeholder text for domain search during site creation. */ "Type a keyword for more ideas" = "輸入一個關鍵字以獲得更多構想"; @@ -8372,9 +7206,6 @@ /* Displayed when a site has no name */ "Unnamed Site" = "未命名的網站"; -/* No comment provided by engineer. */ -"Unordered" = "Unordered"; - /* Accessibility label for unordered list button on formatting toolbar. */ "Unordered List" = "未排序清單"; @@ -8382,7 +7213,7 @@ "Unread" = "未讀"; /* Title of unreplied Comments filter. */ -"Unreplied" = "Unreplied"; +"Unreplied" = "尚未回覆"; /* Menus alert title for alerting the user to unsaved changes. */ "Unsaved Changes" = "未儲存的變更"; @@ -8396,9 +7227,6 @@ /* Label for an untitled post in the revision browser */ "Untitled" = "無標題"; -/* No comment provided by engineer. */ -"Untitled Template Part" = "Untitled Template Part"; - /* Help text shown below the list of debug logs. */ "Up to seven days worth of logs are saved." = "可儲存最多七天的記錄。"; @@ -8449,15 +7277,9 @@ /* Title for button displayed when the user has an empty media library */ "Upload Media" = "上傳媒體"; -/* No comment provided by engineer. */ -"Upload a file or pick one from your media library." = "Upload a file or pick one from your media library."; - /* Title of a Quick Start Tour */ "Upload a site icon" = "上傳網站圖示"; -/* No comment provided by engineer. */ -"Upload an image, or pick one from your media library, to be your site logo" = "上傳或從媒體庫選擇圖片設為你的網站標誌"; - /* Message displayed on a post's card when the post has failed to upload System notification displayed to the user when media files have failed to upload. */ "Upload failed" = "上傳失敗"; @@ -8515,24 +7337,15 @@ /* Label for cell that sets the location of a post to the current location */ "Use Current Location" = "使用目前的位置"; -/* No comment provided by engineer. */ -"Use URL" = "Use URL"; - /* Option to enable the block editor for new posts */ "Use block editor" = "Use block editor"; -/* No comment provided by engineer. */ -"Use the classic WordPress editor." = "Use the classic WordPress editor."; - /* Footer text for Invite Links section of the Invite People screen. */ "Use this link to onboard your team members without having to invite them one by one. Anybody visiting this URL will be able to sign up to your organization, even if they received the link from somebody else, so make sure that you share it with trusted peo" = "你可以用這個連結一口氣加入所有團隊成員,無須逐一邀請。 凡是造訪這個 URL 的人,不管是以何種方式取得連結,都可以申請加入貴機構,因此在分享網址前,請確認對方值得信任。"; /* No comment provided by engineer. */ "Use this site" = "使用此網站"; -/* No comment provided by engineer. */ -"Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows" = "Useful for displaying a graphic mark, design, or symbol to represent the site. Once a site logo is set, it can be reused in different places and templates. It should not be confused with the site icon, which is the small image used in the dashboard, brows"; - /* A placeholder for the twitter username Accessibility label for the username text field in the self-hosted login page. Account Settings Username label @@ -8569,9 +7382,6 @@ /* Notice displayed after domain credit redemption success. */ "Verify your email address - instructions sent to %@" = "驗證你的電子郵件地址 - 已將說明傳送至 %@"; -/* No comment provided by engineer. */ -"Verse text" = "Verse text"; - /* Displays the version of the App Label in Support view displaying the app version. */ "Version" = "版本"; @@ -8589,15 +7399,9 @@ /* Message to show when a new plugin version is available */ "Version %@ is available" = "版本 %@ 可供使用"; -/* No comment provided by engineer. */ -"Vertical" = "Vertical"; - /* Message shown if a video preview image is unavailable while the video is being uploaded. */ "Video Preview Unavailable" = "無法預覽影片"; -/* No comment provided by engineer. */ -"Video caption text" = "Video caption text"; - /* translators: accessibility text. %s: video caption. */ "Video caption. %s" = "視訊標題。%s"; @@ -8608,7 +7412,7 @@ "Video export canceled." = "視訊匯出已取消。"; /* No comment provided by engineer. */ -"Video settings" = "Video settings"; +"Video settings" = "視訊設定"; /* Accessibility label for video thumbnails in the media collection view. The parameter is the creation date of the video. */ "Video, %@" = "影片 (%@ 建立)"; @@ -8657,9 +7461,6 @@ /* Blog Viewers */ "Viewers" = "讀者"; -/* No comment provided by engineer. */ -"Viewport height (vh)" = "Viewport height (vh)"; - /* Accessibility label used for distinguishing Views and Visitors in the Stats → Views bar chart. All Time Stats 'Views' label Label for number of views. @@ -8718,9 +7519,6 @@ /* Title for a threat that includes the file name of the theme and the affected version */ "Vulnerable Theme %1$@ (version %2$@)" = "有漏洞的佈景主題 %1$@ (版本 %2$@)"; -/* translators: Sample content for the Verse block. Can be replaced with a more locale-adequate work. */ -"WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river." = "WHAT was he doing, the great god Pan,\n Down in the reeds by the river?\nSpreading ruin and scattering ban,\nSplashing and paddling with hoofs of a goat,\nAnd breaking the golden lilies afloat\n With the dragon-fly on the river."; - /* Action title. Noun. Opens the user's WordPress Admin in an external browser. */ "WP Admin" = "WP 管理員"; @@ -8988,9 +7786,6 @@ /* A message title */ "Welcome to the Reader" = "歡迎使用讀取器"; -/* No comment provided by engineer. */ -"Welcome to the wonderful world of blocks…" = "Welcome to the wonderful world of blocks…"; - /* Caption displayed in promotional screens shown during the login flow. */ "Welcome to the world's most popular website builder." = "歡迎使用全球最受歡迎的網站建置工具。"; @@ -9080,15 +7875,9 @@ /* Error message shown when an incorrect two factor code is provided. */ "Whoops, that's not a valid two-factor verification code. Double-check your code and try again!" = "糟糕,此雙重驗證碼無效。請再次檢查你的驗證碼,然後再試一次!"; -/* No comment provided by engineer. */ -"Wide Line" = "Wide Line"; - /* Nav bar button title to set the site used for Stats widgets. */ "Widgets" = "小工具"; -/* No comment provided by engineer. */ -"Width in pixels" = "Width in pixels"; - /* Help text when editing email address */ "Will not be publicly displayed." = "不會被公開。"; @@ -9096,9 +7885,6 @@ Shown in the prologue carousel (promotional screens) during first launch. */ "With this powerful editor you can post on the go." = "這個功能強大的編輯器讓你隨時隨地都能發佈文章。"; -/* translators: Caption accompanying a video of the wood thrush singing, which serves as an example for the Video block. */ -"Wood thrush singing in Central Park, NYC." = "Wood thrush singing in Central Park, NYC."; - /* Siri Suggestion to open App Settings */ "WordPress App Settings" = "WordPress 應用程式設定"; @@ -9201,31 +7987,7 @@ "Write a reply…" = "撰寫回應…"; /* No comment provided by engineer. */ -"Write code…" = "Write code…"; - -/* No comment provided by engineer. */ -"Write file name…" = "Write file name…"; - -/* No comment provided by engineer. */ -"Write gallery caption…" = "Write gallery caption…"; - -/* No comment provided by engineer. */ -"Write preformatted text…" = "Write preformatted text…"; - -/* No comment provided by engineer. */ -"Write shortcode here…" = "Write shortcode here…"; - -/* No comment provided by engineer. */ -"Write site tagline…" = "Write site tagline…"; - -/* No comment provided by engineer. */ -"Write site title…" = "Write site title…"; - -/* No comment provided by engineer. */ -"Write title…" = "Write title…"; - -/* No comment provided by engineer. */ -"Write verse…" = "Write verse…"; +"Write code…" = "撰寫程式碼…"; /* Title for the writing section in site settings screen */ "Writing" = "撰寫"; @@ -9433,15 +8195,6 @@ /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Your site address appears in the bar at the top of the screen when you visit your site in Safari."; -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact or remove it entirely."; - -/* translators: %s: block name */ -"Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely." = "Your site doesn’t include support for the \"%s\" block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely."; - -/* No comment provided by engineer. */ -"Your site doesn’t include support for this block." = "Your site doesn’t include support for this block."; - /* User-facing string, presented to reflect that site assembly completed successfully. */ "Your site has been created!" = "你的網站已建立!"; @@ -9487,9 +8240,6 @@ /* Popup content about why this post is being opened in block editor */ "You’re now using the block editor for new posts — great! If you’d like to change to the classic editor, go to ‘My Site’ > ‘Site Settings’." = "你正在使用區塊編輯器編輯新文章,太棒了!若你想改用傳統編輯器,請前往「我的網站」>「網站設定」。"; -/* No comment provided by engineer. */ -"Zoom" = "Zoom"; - /* Comment Attachment Label */ "[COMMENT]" = "[留言]"; @@ -9505,45 +8255,15 @@ /* Age between dates equaling one hour. */ "an hour" = "一小時"; -/* No comment provided by engineer. */ -"archive" = "archive"; - -/* No comment provided by engineer. */ -"atom" = "atom"; - /* Label displayed on audio media items. */ "audio" = "音訊"; -/* No comment provided by engineer. */ -"blockquote" = "blockquote"; - -/* No comment provided by engineer. */ -"blog" = "blog"; - -/* No comment provided by engineer. */ -"bullet list" = "bullet list"; - /* Used when displaying author of a plugin. */ "by %@" = "作者:%@"; -/* No comment provided by engineer. */ -"cite" = "cite"; - /* The menu item to select during a guided tour. */ "connections" = "連線"; -/* No comment provided by engineer. */ -"container" = "container"; - -/* No comment provided by engineer. */ -"description" = "description"; - -/* No comment provided by engineer. */ -"divider" = "divider"; - -/* No comment provided by engineer. */ -"document" = "document"; - /* No comment provided by engineer. */ "document outline" = "文件大綱"; @@ -9553,55 +8273,28 @@ /* No comment provided by engineer. */ "double-tap to change unit" = "點兩下即可變更單位"; -/* No comment provided by engineer. */ -"download" = "download"; - -/* No comment provided by engineer. */ -"ebook" = "ebook"; - /* Register Domain - Address information field Number placeholder */ "eg. 1122334455" = "例如:1122334455"; /* Register Domain - Address information field Country Code placeholder */ "eg. 44" = "例如:44"; -/* No comment provided by engineer. */ -"embed" = "embed"; - /* Placeholder for the site url textfield. Provides a sample of what a domain name looks like. Site Address placeholder */ "example.com" = "example.com"; -/* No comment provided by engineer. */ -"feed" = "feed"; - -/* No comment provided by engineer. */ -"find" = "find"; - /* Noun. Describes a site's follower. */ "follower" = "關注者"; -/* No comment provided by engineer. */ -"form" = "form"; - -/* No comment provided by engineer. */ -"horizontal-line" = "horizontal-line"; - /* (placeholder) Help the user enter a URL into the field */ "http:\/\/my-site-address (URL)" = "http:\/\/my-site-address (網址)"; -/* No comment provided by engineer. */ -"https:\/\/wordpress.org\/support\/article\/embeds\/" = "https:\/\/wordpress.org\/support\/article\/embeds\/"; - /* Label displayed on image media items. */ "image" = "圖片"; /* translators: 1: the order number of the image. 2: the total number of images. */ -"image %1$d of %2$d in gallery" = "image %1$d of %2$d in gallery"; - -/* No comment provided by engineer. */ -"images" = "images"; +"image %1$d of %2$d in gallery" = "圖庫中的第 %1$d 張圖片,共 %2$d 張"; /* Text for related post cell preview */ "in \"Apps\"" = "在「應用程式」中"; @@ -9615,120 +8308,24 @@ /* Later today */ "later today" = "今日稍晚"; -/* No comment provided by engineer. */ -"link" = "鍊結"; - -/* No comment provided by engineer. */ -"links" = "links"; - -/* No comment provided by engineer. */ -"login" = "login"; - -/* No comment provided by engineer. */ -"logout" = "logout"; - -/* No comment provided by engineer. */ -"menu" = "menu"; - -/* No comment provided by engineer. */ -"movie" = "movie"; - -/* No comment provided by engineer. */ -"music" = "music"; - -/* No comment provided by engineer. */ -"navigation" = "navigation"; - -/* No comment provided by engineer. */ -"next page" = "next page"; - -/* No comment provided by engineer. */ -"numbered list" = "numbered list"; - /* Word separating the current index from the total amount. I.e.: 7 of 9 */ "of" = "的"; -/* No comment provided by engineer. */ -"ordered list" = "有序列表"; - /* Label displayed on media items that are not video, image, or audio. */ "other" = "其它"; -/* No comment provided by engineer. */ -"pagination" = "pagination"; - /* No comment provided by engineer. */ "password" = "密碼"; -/* No comment provided by engineer. */ -"pdf" = "pdf"; - /* Register Domain - Domain contact information field Phone */ "phone number" = "電話號碼"; -/* No comment provided by engineer. */ -"photos" = "photos"; - -/* No comment provided by engineer. */ -"picture" = "picture"; - -/* No comment provided by engineer. */ -"podcast" = "podcast"; - -/* No comment provided by engineer. */ -"poem" = "poem"; - -/* No comment provided by engineer. */ -"poetry" = "poetry"; - -/* No comment provided by engineer. */ -"post" = "文章"; - -/* No comment provided by engineer. */ -"posts" = "posts"; - -/* No comment provided by engineer. */ -"read more" = "read more"; - -/* No comment provided by engineer. */ -"recent comments" = "recent comments"; - -/* No comment provided by engineer. */ -"recent posts" = "recent posts"; - -/* No comment provided by engineer. */ -"recording" = "recording"; - -/* No comment provided by engineer. */ -"row" = "row"; - -/* No comment provided by engineer. */ -"section" = "section"; - -/* No comment provided by engineer. */ -"social" = "social"; - -/* No comment provided by engineer. */ -"sound" = "sound"; - -/* No comment provided by engineer. */ -"subtitle" = "subtitle"; - /* No comment provided by engineer. */ "summary" = "摘要"; -/* No comment provided by engineer. */ -"survey" = "survey"; - -/* No comment provided by engineer. */ -"text" = "text"; - /* Header of delete screen section listing things that will be deleted. */ "these items will be deleted:" = "這些項目將會刪除:"; -/* No comment provided by engineer. */ -"title" = "title"; - /* Today */ "today" = "今天"; @@ -9768,9 +8365,6 @@ /* This is a comma separated list of keywords used for spotlight indexing of the 'My Sites' tab. */ "wordpress, sites, site, blogs, blog" = "wordpress, 網站, 網站, 網誌, 網誌"; -/* No comment provided by engineer. */ -"wrapper" = "wrapper"; - /* Details about recently acquired domain on domain credit redemption success screen */ "your new domain %@ is being set up. Your site is doing somersaults in excitement!" = "正在設定你的新網域 %@。你的網站簡直樂不可支!"; @@ -9780,9 +8374,6 @@ /* About View's Footer Text. The variable is the current year */ "© %ld Automattic, Inc." = "© %ld Automattic, Inc."; -/* No comment provided by engineer. */ -"— Kobayashi Issa (一茶)" = "— Kobayashi Issa (一茶)"; - /* Item 4 of delete screen section listing things that will be deleted. */ "• Domains" = "•網域"; diff --git a/WordPress/WordPressShareExtension/ar.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ar.lproj/Localizable.strings index e0a38487ec48b1a48f52afa6b06d11b94790bbec..f52271c9295562c1120ab393fd82eebcb844fa29 100644 GIT binary patch delta 1262 zcmX|8ZD?Cn7`~q;xyem-U7cOqwYj0~((jViwd>~4Hf?M}zetmQEN$a$?rCz@+j~Rq z&9KT=6!DM3Heb{+MDWKZI0q9ZY8@(q_-mkG@rPKEfjTDs(1`%+Wcg!UbC%*NipzmOflPH(gxOH7mCq$9Az`$hPS)z$9A@FEH)FgEKj$ zfaMLdSdcB-ENsX*T)=v?Rkdrh2nkR~_G0GNIWzUYfwFrpQxyTQd!7b_VM>W2dD@qS(&l zN_>`PV~co6OZ&>f$;C>L3#EYMNo5@;hLp_O$#D`dxk0eY5yi-0UAD@aX3N|82oZlU zOY%vT-^wvEH>_Ffnq|R1bg_D|j4ZRHC8-iTTx5f6T55&~u0H% zLN;w^6pc}GWgkVoXlR`@J5dIPDZT~*o_5xh4#795 z1+IJc!;500Y!LoYf;~bewN{9R2yF-jQL8D{!S9~F1E&aKx6|w(kkVlb>W7b9CtMj6 zMUSH}Bz+R$4Xzyy{p;q5~)OqTs*KnxARJH8sW2Hic6vVvqX~Az14L^Wbr6OD(EW|@gRj1}6yq>D zMlJ@+BicwxQF3(<&iQM+C8`c`_%s@Zd#=A>%hw2Z-SvRIVYuU&+N9jn26dKtg?gQO zi@HhuMEyoH^db5PeS%)1HToR=CVhqel>UXG8N{?OJ0}>-b(i#jo(2{3ZS}{|E7M zCWeaWI@(5my4qb&xz4y=a$R+O=k9jL-6{7a_lNFXp;?#~-W9fluY?`puBXp)$NQ@H zns-awCpL)3#i(eCZ-`gL8{+rkJ#o+H_l0~t{*ZsvkNp=Z=VRz{rHo3g6#uXP12&Rd AP5=M^ delta 1305 zcmZWnZ)h837|;EC^Y3!It?O#-w!Edrwp-SccI&!n#k5ULW7m~5Y1%bycFny_uD#|$ zaw$d!6;VGpLCXXEFb6V*AXC9PbW=9nH$fbzun%KUHugcM%zaRCLQ&tlbTaVZ<$3S9 z=lMOq-|x9Q{yYA+m0&bAIdyD0Ju{m*uFPdsGM~$93yb>FWLQeY<=*mzzk5nMGYC0sU*QWfV(iF9;yz-{)WP-?6)r)%Z>^l+g} zN+urB3X2)}@nlgq6qTqrgo{Sm4B~*U+NfnnbCaMkPr~bbWk*JqH~Z}}%HeQEZi8o; zU2u={uAasRQiEh(sp#g6#X>9OFe#Oc(o}-dP;!b^Nc1b&#dKWD=J9}0FiFA8$PH9Q z!`Q@tQpgfLBX6m3z?Dr-i3HV5tNzEaraL2V8#S=9tZ2G2rxRS(OhU^87OQxW3bM?} z$aUk&GQny|nKvKdULSfi^>E^NGCndDQ8g2fQ8WIN60xMLUT$$tj1!$?O?Z)gLYg^3 zR87H0i>782%CM7Zggypuo3f0>qskIVjFK0qNWA)P1Kj7_$7kcjtdt7aG;AKpgl6hw zB2Jc!Ws(}y%1c_gJe@46ib?G4q-(xVFX;|vYcIH5b2lSz9U^8nZy9atw$^-^4d7!V zbe*-9=^C_+H90_0bM&8pqins9uq=TPYJ}^^4>PVlFF||ILDYs~s2@6AEzsk+urrH> z(0&wJKmpW=LZ}r59oUX-=pcOR8irpyXQAKu6m(ZlYRxU`?!tbvJ?w-ZZ@GY<(tYqa327qVzUo z(dn{N?UsQ-dVLNJ>hxLz-Mgvc;n-HG1#XB>hN00>@Ao zHeBs1*-Z&9N7eC);|<4$j!zudm?$&Gq?s!7J@Y54vn%X5_8ayG_7?jyd!OClc5u76 zPHsOp%4NBe+!^k3?h5xccb$8{{lmBLAwI@0@Frj7PxBw}=lM(gRsLK42LBVkAv6m? zp;rhC6T-A$3ai3*E5c3TZ*(4ALf4$zofn*Lq=}uhO-YmBXA(Ox6Z^&<;>=hx z;|POjg{auDpwbo41%h2GMTHG4Dp92p3t)>-wnRt>_y;OLMJ;!1t3c@jjb?P`-1GR( z_q!Xo8@L)<8yk;Kyf`UMotgH|#NxAaXV0CVzwq=+3l|rcx|d&0Bva{3c4c*KFqdE7 zD7>O=7AHz%t6WJXwOx`==*0?-n}$OSXLYWmJ9yc&olJu4n7f4TAxzIHeagyAse~P^ zY|}qc7riQX(P235%_fLe!lqI1_0UhGo{rqSVH3;23%apQzvEB(v&;3(s%}>{62z%n z26jwbW8LYZ$4}ovL%~3@qFDqt%({hb$Fv%_LM##rg;FUttKjRU58$|O7;ouSvYKMo zT3OQ#n&*3ITh>SlO$DA zbPB#F&Jw3saa-BCLu@9z;5$0p+!5DnRZ}aG(yHqQUetC-Dy9{;*A`fmRj}NRxMmbd z727R2nbz-0oCz;8FLEw}qr0sova`CqquVz9jj#Ljt;|-Jg3s4>nO^e*=^c5nQwKkU z;S766;S~E$LWB;;1A%S85P=t1BnmMYgXz}Ys}y^mY@;5a_fen?c$_YaL-c#T|Kv9G zLL7!+f)z#CsonJPSf8VB3Ny#b@Kkd~lucx_+APHu%f}InhibOw2>Lhh1};6l!TSVT=_7nLszpp0wXZRI*q{+?ePx%AC8wfnQL&D zxOchtxsSNp+#&ZXkN9pr!cX$+yw1PJf5>0wzvO>LJQC3$I)#={3B8U!M%U3zbPL@^ zKYH?>FFap)zVRG*e)rsm4(NnuVVn^>4@uYr9W1y6@4!7l7M>ACgq&aqRM->l2!|pP zlilKJaY;1AYvR6mApRu&A@xf{a-wOpzlh$<-EtB?JeMdf-CKsR#*rDsU)**>x!uAcTZ3WBWhz zec%84-Rrp5u^+ogGm~Iy`s}%x@N6U+o10%~KYw9yDSmPJQX-jpCY{L+#W}^-* z+pITX71h!3@G$vFj*VtiAgb5R`f8T=C>2FBvN5H!y_VKWRXArF zHZpA47a$=6z4Y1y#RGF7u#vJ&q0balwS_Jj$QT}9KCO&vi?vymnH zf=&Ye5FCYNO-HitSVq}JP^~Lv8&7-tyED1;^6G-B*)T{p&^F!J zxvXaED4#|<<}NDCYu1itS;bsURcz$exz^f~bVEwtX#Idzt1a30#Cc?ws!nn4at;?+ z2*S(Dr2p2FVoTc9TA3rN6#@|_8NZNq_I`vpKFLQNs`$DmfKAUS;lFbXo4z*C2f`Et zvmgw{K?IC|2`~yK-ET7>^sq)3a0T>|p>rt)WNlfCk4Ioh*C#KV`z7y@y)PKMa;@kYdKSLkDZBpOyD(DAiU8yl5 zu>?l`M1T4(=&K+=uACv)N5B}_DYQi@jF7kI$R7(}4EG43?tjCNKNTmiA`IdgsT02} zojRt0F7h-+B+d{D5u%xNNbhN`(=3@y5GQvtN}!t5OVq2>JJkEs7xW^XqSxpq{U!Y~ zqceNVA@dpY6?2>Up1I51XHT#_>}htKO|T{QHTEs`BlctV278nJh5Zc-5|DAQ1#Hj+ z2jFe+9{3P^0zL;{gYUq7uAdv?Cil1~m*U%gq}zx}ZtOLi-Ocvw&e`2@Co}8J znbnPukQWh@YWeZc(9;^lXb(w8qw4-wa)NQvv*lH2#g5>{&b9BO|?vT zMNp;e%cetYs?O+U4SwcE!s!LKXy{ILIYy{!n<};13^3;j!v;S()E}>6o2X68wN-~& zc2lhqn?xd!M1tuTlq2v!7*INLnFRZdD_A!n#~p#F*xOf7dRw_v&BkTgW@b(%;DP7Z zr}T)Clx0KDba$`^CF?8YKza&DREeqg3{e7 zPIVs^nQ0ZI&fyi3IEzcQr5RQ)JHfEaQEZlop*kH;sm^jS%FOpySU=g$tlB}+=X7U9 zcO1COx#3&~*^m<=XbV;T*HFcD02MPM>C#ytbCg{EOU5QZJ`lv3u-Gn!rY z)KJq>o`8$N=U_DSSWkYb<~prQv}#%n*J9Vh7kUaNePOV>pM@Wolb@u@^HsFO*lSD+ zGbbk6Ei-WoxhyZ^EGP%2YShJszG^ivRV}TCS6ks)A``wt(C6KPgzvM#6%=K)G?{74 zA~}p|mr;@yA?(P@A%fi*OQo7c8&lZo8inoP@sq~?|J$`{%o1jJS7ZL_ z+#sSlLtsvBCvDZStB$~xuEQtF3}7?AxHX@2%q`k_4YOPHXcisQ1jQMp&89|S*?+f3 zN3r&ywnY>{5r_v)0WVELJ(OHWewJkoy@NhLpP=jLSM(>xbBDN-+!-#<>D+tVN8Bd& z4fhAn@m~H({sceIYy2wzDZj~o!GFzP=Wls(p07OLdw%rX^xX5@7bKxqI4-;(M1_}x zxKI>y!4}qpw}gL0zc?t4i&?QMZit)W6>;C2^JZW7UiRMh9q=9Xm3`~J-+X`hNBl|u zRsS9Ty})E(HgF;EUEuFvDM*7G!4HGKhptK)iAw9z4QWTZFN<rT_o{ delta 1377 zcmZXTUuYaf9LHz>L)(4LW;w)_`{p%g%o1 zJD>0Ow|lYYV$TO?@K`E6otc@<&gJs+s8CdKX`!s0tmxC@stO5Ou+wpjRA?G`Wk0>l zcRm_{B~8c4@oH7C<&`~CWn^JkGaU=s#I$O#j4eDoJWOx!uSL=^r=V+gdG;m4#ukCc zHKUSO_9m;kiBzn@2&|em8H9bhT6eW+R+y$5*H7OOo!xmwY3{Gf7{kH5@)&)d>!urm zfAuUJO&`G}0}$durApQbB!BlH`>iBtuJ6wEW1V5bGu`{#P`9O<7}LbEwc^ly4Q4+ zxh}AGf==@7Qo^l-W?Q;i%Ul3#02>ehfeLN_o!<4n7%YJpFoDCp!JZMi=6#mllz$qj zuvG^XfDSZJVb7PC-T)JEGLx!JEM&0P6-+S>3vAOBxuZ=3@j5GZbAw^`PfrKC zsT6#I>tjca(sj9gNMlBb3)VBZ{cpg2_T@aVgr-_S%jvjNu(S%IXMB;B5=ibCkQdaz zTi`wL30MPHxno?6%W^gDXKs_%`4#>n{tEvK|2zK&e}}&>>=wF(Cxxel385&wFI*75 z6uuIE5PlWz3V(~eVnlpdJSh^fCY}{P7C#fe5Wg0G6n_(Mi}$4-X;6Ab8kbVi?25D` zy(_It*IFKGx!H2h)8jl3>z`bGbk-|&AQ0D-Z9 z8u&JFC3qm12)-HoE_gk7JM>(r9I`{Nhfamgg+2{k4gDF8hEw5kxEj6y>OY=qT)|@V JO3y34e*g+9sUH9U diff --git a/WordPress/WordPressShareExtension/cy.lproj/Localizable.strings b/WordPress/WordPressShareExtension/cy.lproj/Localizable.strings index 3c6ebcb7ae9478216a2307cd7d2e5b6f3190e4de..6826d0a9651a137694c590c4469c1c3c3b2e29c3 100644 GIT binary patch delta 1162 zcmaiyU1(fI7>3XPPYvzX=q61|JGH2R)@UqZqt+%loBnP#>FznZo9u43lRdM$Lr>1E z=gi4^A|xmxih|W4=!NvA5WMiFASl=?L8KHBg;Mo_hM3mbBFl)a>VVyp51GXY*98u#7ywUX%_W9LzOgfIv*50ECnTF=(Oyjf{-gHlJTj9ALMV zJ&E49Ih!BD2E;ylOgq3VwO_9$`aADp9~npY7gDGWBab>0t(F&;oR$kI>N?3e*)+SQ zJowfZFR*E?c(BqLiv0#aK|lgKgPy0`rKwJdO_+z)92-*)Ri=@PA(&}VO#CpPLmsNp zYGU_EL~G5CMu;g2x#4PJS1%n9ZKXBWNdaWw60#>@?c#izXUK2x-USQ#HROS?=Of?S z7A)8A}x&!+E@s9OZ6Nzcm_DM)wE*iEyk9NQg7Ol8Rkn7@q zA-JiQcdb3GVDAVoan{{`3s+jP3XoD2$KeY>_z>^{dv z9NFKAv8(1l`7Sb3e!DlNCS-)41#dp>wPPOF-E4ULt{X2!ci`YsH$vccJmxGI{U?_- z!4P6$Rd`)k7v2-D3Ev7oh?2NZd_p`fRzxhmDZV3ah@XhxOQNJn!_wo@jO0oy(q(Bw z`at?vx+Z-mm*o%TPvy_$oAR&nA4;FnuRN@bDVB0t$tjBpRsv;Jc}4k6HPpT8QMIIA zP^tQo`l|ZAdP6nr*j`c>nI@v`x@ r@vgC9TsOWnzA=6>6?3O~zX{Ao%_q%qGi}bApP65qo96HAmmT0w3>$p# delta 1240 zcmbu7OKclO9LCrC9)sF#nnw?AGi@msqLfG=wUkF3Cw(P$jJ>wwI*B{+jP0eH9cyea1Leoo)XQ}V-mOX*I>jq28}VjKAcMl|$c zz^EU=Hu1^$_&C2VzdTsUhbyiVv}-54fcOl~Io=t*%^2m&N}12)GC32Q-1vOIQ7#gfG#GzLeq`HHmS6|L`3`fa7x3HK z;el!#ALh_1v2)}_VI6L~H^MLLps`#aEc89dXwP`bc9=`b1+q%lNM+gyR-GWIl{y$P z((7=spHws?nqKY?Fz9zyw{{#QtkI6^>m?B@b!%VT(!scuF?hhmz1+d6IZ;nvq}G3| zr@oL8@3aIbvSE>IL;v z^|Jbn`h)t5dQ01@jcJFpv{u$?+AG>S`k=nMtUs=2^^f$gjY*?uylR{^&KsAEtHyQX zSK}X3HdE$=Sv9HohPi2eXkIaIm^Z-=FaeH$G{7JL5m*PWgH7-OxB#wz-@so7fK6vt=RyR$PTDh67IB#;ar0VJvjiYhe}8XV`djgw&S`Xf%_ZoCs`n$4`W zJGL4?iRb|dQ9;qD;!^e2T#D2S2PC)v2ar&UK( z|IPpRF2*j#KJA}+yZ7ij$BrBC_MO-i?@tU24h@gIHX3{H{jp@nj`7Zk$&;zHX=Snp za`~yk^vvv`;s^Fz$)RT2uF>ffD=m2jdJaef$thJ$RirNnGxa`2Br7+3^>I*W)_@aEM z>}$OBG`XwcKs zQ;cqInn0@SrsV6NCFAxIHT&(-;?!7ZRrn&TolV%hL|qaz=g2g}Tp}E}?D@-uy6u~5 z&Ec~HELdVeAn(I!%XG7{(M9$dF-cJ@QjB)XPQ0`2x%=s1y7UrIc^d76*3gI4=j$lD z@?H)IU6=Y(4HHSIvIwpCe2x7#meuE200PTk1zZ51fzQEB@IClZQI#FaTgq`|Mq$b& z<%+VV+)$pXiVD>O>YM6>>ZqsGFVr>ls(M|$sXmTON3KO~NA5Cqpny;;B=d|B+q<82?^nza0UEMmbU(&zUAL-8^gk7)?X5bn4F}w`d;6wP# zc-1&)oG>!RDdU{+721bZ&?o2$`V!qk-=ZJT&luyaxE=4sNANK`jFb2_et@6gU*%7) GkUs%DJ!|&> delta 1096 zcmbu7O>7iZ0LN$Eo3B@sx)$4|wp$*B5)P!=M3O2h-F{J^yDhsj`_b+0GTnLIK02M* z%)H&Wel>bA(O4z#!huLU=mDA-2nUQB@MQQ30m8v>A(0qkKrTi-5OsDp)PqD19$)g_ z|LgbGy4Jcr8l4isu=K) zbGi9^p?KI_DDAdLCTdxjnPoqnAf|;~hu>5B6(d@y*mZtgiSX}1{ps{MZkibqg=R6sO`29z#`r4Rwk;`G^?d_u&)#LmBT*kCR2SYO{QD$@HjG#>Den zFROcXY?e*x=%Z$7c|Ji)OL)w67;#uJ6z1naxGyzkIwfKkLr)Ijit966t=O(<5lh#D zsQjM%3_q%b#es&MwhIs8MQRg1qHgAQQCDx$NK9uZEXwd~@OHy}qT$Xzm$#{@B(X_} z@z=oi_I!+3)WkCtMqS6}y<#`tqTr5fqa%)+D@2czSA$^q=!r0Y0MX$>g0QORVCFWX z89HS)NhQdNTO;Xl>aS4W&lwfVWTZLNe5*^)e{gWH&^lnhwMa4a)Fff0rN%fuWyBAz z@UOrCo|_Kpww~l#(oL<*SfE;Vy*i%(owA-ZYb4;co!?Y?8lV)zu*$T?_bS~yq(=T7 z&yI~@npo00wHM4Xc^r?POw@6zwoSZ$68R4p+?FHl8%~c94DdHVe`hh&(HNgl$MPAq z?VvC59uWv<8U!4(<`5w+{2=%O6Ug5f@{hqlY-92W@f;(%Sfl@&L1%U<_>sg5kjyn@ zaS(91G5l(BA6XGJp)R~5yeF&+XN0TblsGHSi*@n3_#3dnDmV!)fg9is_z64!4`COK zz-Qs}Fb+%befSCd0)7p@g}31E@K0%*G$b96jz~C(rM|ObV0fzeJA}WJ(Rb~ zyX0XxDyQU}{HAb-v>*`tc8}+t&SN&BBX#-kJD`~H5 u$F$G1i`snzP!HOJ#?cJ&(A(%;^a0}N1X@R5qHE|E^hX*GJS;lBWyePu=f diff --git a/WordPress/WordPressShareExtension/de.lproj/Localizable.strings b/WordPress/WordPressShareExtension/de.lproj/Localizable.strings index 6a66d11d1cd2db6895a07533c7535bc18e939c7e..0de96bc35e1fe4e6cc6866224ce6873ff7fe90fb 100644 GIT binary patch delta 1276 zcmX|=O>7%Q7=~y6Y_H?Bw~bo632CNHLnsZYLIJ6*D&eFF6!KHWPHe}C-L-dY4_?n& zyX%xRv=N8)KqV;pKm>&Nxm2j4r*c3dy?|6C1V{+=1_BgRQH0b35=CmDjP20V&dz@G z&HKFXx99uL_gylM&ZW|s^n7+ zK54t&+zhGNO9ZZn7;Z{^YC3M3*fYv5Y>Hi7c|AH?w`{{CCLYFhUO&j6C2A2EmUjhG zGsG~l&EPp1hq5P_OB@eRP*#QSgomT4lZ}E!-AZnTcnybP&u(>qDJcpsiwE|^5*5QC zc-d|^*!65@8CQryhK7ccNq&D`?}hvFF1>wSCdoe=WrH$U5PD%$>D-yuJDXhCbc~YM z>dciKf&0?F-KpcGWHc;qHeRn=%h}nwX?Ub1EHOJX0h@CF>)))vvXI`l*wjE-8575` zo#YgG(R;8p*4)bL7_N%Z)qcxtal5lg>RDuQl9<%M({+#9%$-XRixj=QzHOX%#Y(fE zOFiOpmb@Nm8;2WPMrN7@;VGj=k|Rd3IzPefbh`OXhavIK=k2ARL5c#+X;)M+k!}!D$F;8OSQbFxfE(>m3JRAbcp4 zO*JbWi@3aKK3wjup$SA0Lsf(kX{}0V6P5Xzff>kmWLqlF@XHAdM4o_+j>E#!a5Xpp z_rfut!8mLvdj$(}N(|PNr?zvhF|MHD;U(g@4UPa){)0j{+))oIAD|&L1P~e!CisDF zctbm@rW2mQOv5qZTO|q?BAu`iIdV<$^$D=zzrBNlj+2VT!8v0MCkdZw24979k2WJF z7Ei7jGGULkQznd}IBFmlokqW+3bHr}+=%q9_KZ=6M>xG>l=10?V-j4kiNq2LgX$1?E;tLOO)@DZRS*P0&w3%BF2 z&=0^OJFk5a*e}4_k#6`yJtp+PVz?iE4())h(8?+bpk;IpT|{r9chNff3H>IB!b8H7 z!ZBe{pu%gyTf$}GGvSsfh(7TV@o{llG{rOGd*WsBWARgQUHnB_kUo((AtigHPLN4f1A@nv1#`@S2#fBdSy z?!V~&-Tzl$f8bPLLsit>YEmt$pnk313BD49;77sh!MmX@P10gouePMUq`j(rs9o27 e)NW~ihLvzEyf-`;J{nF&&PLWE-|IS%ZTLS(oS<$1 delta 1368 zcmZWoe`p(39Dnz#`JKDA>$0w^z8UK}?ONhCox;SdYw5IWOOiH8)Asg~dr7Xj+=aWB zx@<_PI{$F{!}1WOn{48L(|>gSF`>hW!eC5cf`179p;T~)(!bms6!cwEW#Ap$amRa~ z_xbfb6Fn1s8x4%jq%+ys+}!+vdIIGO8ZMT~`eMb%#5D~PRC3Y@j5KJOs`4oPg74lF zgGJrI)A3r(XsF7LWEt5QHmtf09b(xHSjILU92}%S^QU9!se0bfopSD&>0q0{aowz_ z%FgMUVId7`Fa~RuLk3`2hJUgQ41WqwC{*yA|N?BctdS;T?zy(52@sEe+k7G?oaI!{p%XH{2 zuA3g_U`N(97EYilPEFvGOe9>r6rme}@5Dj^le%p}Vl{b8r*vZAnFOv{OE`U0cdEMM zMBT3^UXc z>ja(TyQGwB2|dyl3+B?8xn>*K!6tpg_e|F!_z~m*1~xF+vka>2Y0`D?V^{C{qg*i8 zY{4m=70aYGPmiD~d+7~-gs%9u(Otn`=~<6@H5J~=(ev_Qn)j~I_oT^GCP|Q~AzNdS zjpDL_ZJ5V;6{avth_zW6u}xeja0%N^y->zx5zK-*)29y=mmLb`7#)E?`*P$ z+0d~?zzZ7SHSiYr7<>x8;l{WrZjNhkcewk!!7uYy_*?vU{7?LE{06@%Y!`ZkA>n{9 zAryqO!Uw|V!gb-M@V)St@V6KhW8zEVqDaJscv1XF{6xGa-Vkq#KZtk5O=-6@ARUt8 z%hHULlg>%!rEjJ6Hp$cPIpCS}oc3zouYAAz_xP{)9|ZV7B=BV5*}(BYBk+3Q!@yc# zJ-9RYPVidr&yYV<2rY%%!_n|;_{;FE@Ey5d&dErw$ZyE+%Ad(M<#nZ38B$(Q#*`J% Qym+qlW~Bvyo@@{O1B=hMnE(I) diff --git a/WordPress/WordPressShareExtension/en-AU.lproj/Localizable.strings b/WordPress/WordPressShareExtension/en-AU.lproj/Localizable.strings index 8d7326fb2136cb6ea16d253357637e7ea8cf03f2..4f674990c28a1c1cc322d47a3a12f662fcbfb539 100644 GIT binary patch delta 1025 zcmaKpOH30{6ozN++3l>bch2S6Ko2TXU{b?2S-BT zh!l|L@R(nnoJJl)x3O+Vx)s$%KEtv{{CL)w!(^66Bq3CZ;SNPXww$oYHYh8LyNZKJ z&5#wWpeB?|_cx?P=Q`Hj)o2Fq(UVOve zD|Kf|aTg*gu{yubRR?dAS_YHf}YbFeHKAHob-8j^xTC=KUk=IzN78G@%y?qWZXVm`DQvI9!~A64sL={WzLN;#d4gUbhfL$sA#+WtcE%ToF%xp0`&;bkJ zY1j%quonj41XQ637vUZFixt>%wuOzd)9hU~_MCmkZm?Ti30KYaa}iGG9&>Bl7w#u7 t@RfWg@8vE2htMNP!h~>JAi^`@mGD7q7YD>~agNG9KyXgr=d8<|QFbpo5dpLQ5&1$t0yMX*$d&lWCG#FZRpW#N%iA zy-7O@gv5>_b}W!UNbC?GBv=6g39&&!umI5oD_9~HutKn?1ozqbjL1k72|*Xk#xwK$ z?!D)nd(LX;dyG#`erFs@$%>lJXnOXhn{T=Gwmrt)p5EK{_3iJ!;h)k*|Ahz6E1SPk&1PY|c575WtZokAgH zJO|G;&nMM<82W9?=r6lCBB)JU5n`N1ZRC=On5JnNm+RtBY}>RIaO6PM3@teCIL(JpEL=~5yGJHdMr|AViPlTZhvT=ZH7Y7ZP&?T(1ATw*l z)+#XRE}aP&i8z|`f_2L{P>per9VDZ^6JuePQLVX@hAf8|Z4zi7G|(jiQ(uax`04^; z!~iKAm2P0*HRx}D-$|;oVb#T z9LmEH(3cZM;r`adFq*N+QpX(QT}0oRH5cO$;sap=9c*^Kl59t9hOFV1&sW5D2r@|& z(WqY8YG0Yg_WE+k1F!`eaA4Xp_IGJ6Hg2JS1Dp7ku_xKU&3z?S#>(xSBued@>J%?=264*O(p-Jk0r`tC@HXgK0opQ9 zTnUC38_;b57RtmYHc&8Bpe^4C#y~ycIN?Ze01kyGA_C%>E9YX5oDVrzhxt-j!qSH1 zNrBXmkQ7Q(ViHG(gg(3dy91^!EP>{6lT_x(W$27LNZfg?L-C6x!dp?ifkKpO#p6C% zD3K=JAhj8f2{$iQLkELZMe*fCHQ^W2yqNsha*$>0Jw?DDVliS>;p;6PqwN0(`>!Hw+r@EoU1wJ94yhX= zpSH1FZzBDRQS|q-r!!_&l4SA!*_`Q`Ba$w)rRSt8(%aH|(wC{zsbXq5)lPkt`c?Mj zXXQ8L&*iV>@8uumpXF;xpE96KC`Xlf#a3QWUROR)K2|{#|lHlHnKo$T{c{E<`1Q@XJE+5S;<60 zhzNS9I7tK{J=sI`W)Ubo1W_*qJ=Cl864GB_6xHmmidOh^IKOi^-{0@^ISYjgg?GG> zlRRiRC7nKVcIUaqru^pf-j?01d)h9vcN7(OmR$68b(i<_R$Z$02Wo1Ap(97@kM)K7 zBLl&JGLEBuEuKVP(;(O&kyceBsMoYfpC6BzZG;~B2p%X2x8Tc4S|_3AR7#&145d_s;A|Ixkl#mtg37z^Cuy(PUon&k z)QkkemStMOZhVDolv*>Tm7r;7>lbCB) z8z%8&<~>^@*mfF^x$<+AP-}D**@QFu zV9r9e?{JG|k7>3|KZt2}G=2z2>K*uw6>;qoMA`jxQ7&J1k++%tCi0~ln6u;D-Q(BH_3&C?tiOLgN$Rjj$}NiXO2->=YxSAwCe_iQgni oIxICws+5vup$jJAIJ^!Y!{_ibT!G(ZC{M|^;M1& delta 1130 zcmb`FPe>F|9LHzp|Ag4+W_n0{wwXa@NQVC^|Ey-&x^BC(yPDee+T2rb&zUyH%+20(dqHy{oeQY`+h&~M#+tm zGu~dhiEVBXT6gT+)z;q8DSM0EUEOPUm-Xz~+quJ@nV4J_N$&J+&qpNRR58ogCV0*vP`bry1kq6JJhbae!#9jYO2v?wBn9Yy&CN#?GJ?V(^=1 zX2JGo7aD_U9gk$EXhs4c%QCG&#Tf$=P&1TH7#|-FYVjoSng&J&j>)Cj9hIz7#0!l$ z(qr=K`n+;FrJGPis-ifqoX+si8szV5opVgnQA{rOn*dHiO^2g80=9;c(_ZZeSGt#4 z+#xuLfNH@pOwLJF>q6n6Z?Id{FbFuKmly8NEuH5U(NqXB+6ffPSF>ev7?7fZ<*UOIFzh;Z6605)?b!it7<6bYgUa}q_nG)!=~72`2w!C@-DU8t^)* z35P1_r%Oa7Yk9>dAm{md@}ABV{3G6q<&<(*|HN_T8{hdmz5ffYaCwO(RDVIl{9@Ad z8?8IS`+;5Ls<>LNiR<7Z+z@w+o9AozZG3>g%r`y}yh21c zE?g3>3JbzZ;e$wvrDB^H7AM3h@q&0?d@6pFB&k+vm3pMGq)I2HIq42Ly9)dOP^oTT diff --git a/WordPress/WordPressShareExtension/en-GB.lproj/Localizable.strings b/WordPress/WordPressShareExtension/en-GB.lproj/Localizable.strings index 4a203a3c14f9b181d4afe2e1dfe095a17bea2a87..bba7dc8f2c78e6449faea34fa7f615e85c16eb57 100644 GIT binary patch delta 1001 zcma)(+e;Kt9LMK!X69^dxZyobPwJYXu9pb1($dxS(t2qxuIp_XcaHAlIJ3>nN?V}x z5gpRBgM*== zaKJCl;!&R*jUl(Dnpic%9g=LK0nIQ6eRxKj#pIHJ$TTds4Yf)VGQ}x_tO&&g`N6oN zi4vAj1BzSSHP$;RE0{EZLKyO4Q9_zZdH}MIbgKr|P2`o;Y4V<~%nuDDCKTC-jr*{f z&{bq==>*cp=96noHJRrMVIW`)ia1KiZ&2vSB!>ff5{Xlytddc>l(@NUQU?pj0xT;D zwc|-Kp_swecw9-21mluu;`Bg&(B~yTfphWARno!_RgC##qAsgb2wQ^8}sSdvB5A2(%9H3t1y!BI2fIOxG8`RrZgvcBpmves;0l}WbI|eBh*?}iY)4u z4t`T~DSu?A1p7|xJD{}TBX*gFEm3J(AT9p^^4 z7y{?JD>mn delta 1115 zcmbu7TSyd97{_<#%r(SD*Bj;Kcq<_oqvOoFGb?RSQjZ1E zav*{%>9u^xrvd|?3c{d*K%WYFiC%c)UJ;|LN+QfiwM0 zk^~KLLif9nC_zmX_yT;Lv*BDKh4wauLP`|hr}OYdM#dCb4-R#xItm-GOID`@ z{+KtUXrhE9Xon$9H_BnDBEfN4K{_4={aCi1z;D?|mca8n_Y-4gRK38LnOOyR18}i< zSmSR&<6=ZHM%+O$EUOa`g~M8Sz!Q!_aYB?;PqP@98g|KnAarP|fmB1_v*Ts^;<-MD zs0NTC@JEw9U}UG4$78N%PX5u;o@goX=}rxbv!bksV+w-0Y?#fjab-A#$-zM`E7$FH zbq%yivH^R|oV|9f@piH0V#eo23JMtb3Q>|e(v2ipggqfc)>IvTr0UWK;+&vUoJJle zx@>lav4!mT&Vf-EG9qCW8d?I0*CQJW^10BoHjDf%vOX>A`j9syi3Uo*9!{=kqN%K` z98Dgeo`favX%~?Z2*$Z3Rxn2dz9^2T>VTHPF4I@?k)dQ*;`M%qnKPk;FztkPAnhxz$?+!9s~(-`|nHy)JtAKp^; z5_e7g#Sjj%r9B5+?8iQmB(3}d_YyoqXW~gF4R6x6ISXrvT5ecwS{5x!mN(XRYp-?K z8nwQ&ekT-Sj(AMGCf*aDh_A#3u?@079;gD)jIPLAPm0GbK$zDGhyqpj1etn*fEpNH+WEZnB-&v%4l<&vtAF zLPV=_K%zMmG(vz>0jDBCK|%qEs)YlWiUS}H6%q$3E`X3I2M!cbC}TT~FJq7Y|NFoH z`@Z#_^`2MJ;e4T3Djq9W<`=5R(V}VLTD@UEyX53%(K4>g*k%J}iR)w6FO6BY52uOe z=Vx$}EMxY*2-#JsKUo~HEa;=U$8L(-w^xnKT+1QI!WP^QTfF{0e%5RUv;A_nR+z!a zg2ZJ{$uM0$>Ux;^aNKs6*muHUrZ62WI=0tXn8AKPUFeetflW#oc3RxCbK7hKQ4Ci| zK%wUox&j-R;^E=pT#nDL8hz}R+-=0;N;&=;)sgM8iqOZhO6S(9(HZUqEsAP>gv^;d z!fr{sb`(Z&4F!%rH_~c3E9JSCg?tkv~)Xl@ce z?{8j>g;!MrvJb_~sR74|_V(s-w(sEi32fO2PPKfSxL$r1JJ|HAM*HK~Hya_IXZzUW zyHt&~SU4DL2w4gRf|IC;b4QT5bZnf<%R6}OLKe9ucAyt?%EzC@EGNIM&h;tBUPX%( zMs2TYdmj5s2r`wpGDfKy#)k0hO=+i8H3ry(-22#V;|fm%h+2p*c4r(0+aeIV)IJel zlfN&7(Lj`6`4m~GIOf<*+eMUJ*Y0I6>U&vP>1S?ofL%<&-mVzTjUb|WzD8jjZ(wHAo^AS(P zUUnjRH~Tc^cOk=+nE&?LiERAB1tH*6xUrV$LnWd<~1txECc&iI6K;R%dr**Su z^j`L7^5IiJ11sPpSOc$vbKo+#27VPp;V$7p;Zb2;u!Xb28^U?vlJK)Ah^lyxctD&I zE%62MZSlN#LHta-EdC@_q)((Tr7O}^>4x;5oR&M~A^DJ;m7kPnc{n_{*wNR{;s~RU(vtOf6)KXZ=_PG?o@yJf%Mbq#q?C@$z**WJ7s<AfqLCg3dDw&fuuenX3%h(T=^Ba|bxM#_w>YmwyB*u!x}TIu3@E35Fi z(h#0UkQh8{!n{2}aZ z{SR+#Pn?(>ADJHZ2#0wo#sezDF_o38otfeU_OZ*wIc5Kj*;Cjf2#(b`p+P7fPwf@2 zq+siGEG!&FHC!0QZ%dMJ<+FBiS2fPejbk3M0CJk(m@E+PW;#XHxGb)u`_?KBY4?E3Bjl5F52RlNg8+d5 zxB$yr@tX%I?3Spu#duiRN5?AipCc_ekn+jINT@P0j(sGt{bqK@q4FSNRV0t){_HWz z*n>$VnZ)IsDxiQ#r0A1u&vNOt2r&;akOd9!KKKY+0$+k3QYTXR)J&?8x{Xqi6(%FjkGr#)k2;@n`Ot+*mHiy_>t3Tg%-uEwj_io1Ph%pPFmtrg`1G jVg7F3w_2=&R@tgrk@caq29iffHCIsET9ZWsz}ol^-t*dt diff --git a/WordPress/WordPressShareExtension/fr.lproj/Localizable.strings b/WordPress/WordPressShareExtension/fr.lproj/Localizable.strings index 35f9d2eef1a2b1ce3455d12f0e883f44988eabda..9d65272a48591f0fb51a1c2b11321e087dc2c2d5 100644 GIT binary patch delta 1331 zcmYLIU2GIp6rSJxZD*$xU0Nu;q^%Hs+EhY_G(_w2S82DkyX|(nyIrO`cXw}@ompn? z5DJEBLVVDu=tgr&*~=5{}KO&9eth#>tf9 z@!4rwb52rtUm|cr?hDV2nkL~!#e@4&cXv^b&(tl)FsVs~Ngd;N;%Z6|9nbCUPTF%YXO@q^BW2u?xak#Gxy!!PSSQh8{3ymI_T_MzU9XFk% zr}%$Y2OC#Koxmk2zA|8$&AGjqG~*U6Oi+^K%tDFI5|O9^=%* zS&DkBMI7uq+@&~NtYrwFP}@a+ zu%f7p}JDF!M~$k}!p@E|xMe zx{P~Y;Ms-`*a;u*#)e|KQPZWKM@fb*I{GkneHcE~H^Pp<9XJ>KqZd^~)BLh;-X1<0J{JBgd^6G$nT>o9 z-5DK?9*v%go{QdT`?med_S@}0YDcuBc0zkWyQ2N9{igjDi^fQ7TWlmY8O!KNJ+Hr| J--4la|sFDBx delta 1387 zcmZXTUrbw79LG=Zy`_IHZBJng8Gm*V7!Hu8(PipfHtdk0tRtnRuu{sU_q085dv7`S zUSgeQ#uy(kCL`x{kr)#nbPvuaO=gBqW@fs~=mS1DeHmi1fKQmXh^H->CBEF8dvboi z^ZkB)-*dP7ZueDX;Cymw`ci5pJ)4J+Be7kQ&uZOf57< z^u-K3k|=40qGA<=QOPi^0o0?Z)vhL+5vLe&9AocF_TdbK`}NghT*C_)_!K+qXlD;a zdG#7PkvxZUimh4ciVC9V5vJ6j({V0C$ty&UzocXrXJRBnGP}6|yeNFK=_smcIPh-t@1~x&M^ zp_{DD(ZWtUP{VWuEQ%^c9FOAHxJk6S*37m=&)jSbTQ=2^WmI(};>6PMWDFOLWt==m z%px((RHCFR7OqZbrpAS{M zQxV=Z&ojX;3Qf*<1qqw23pFi(b%1~d2%rG-l?iM>*_=o5PFGSzmTXK}pQn>;$y@GP zg!slCSC{xCNU&hAiS2ko?8o|D_RwXrWMEe`Uqmn{-z2R&$O57oq1Fs+8nUytUIm9#VwMb@ z@BkU`6#LAbWoLtp+(kdzakVh&JtKBhYmc+rFxZ(IQYkh~jFNbs=kJ1{k{rPlX}w%7 z$!eJW=`6A(e=GNXnMM6w?5OJ$GhFHVRMaRU)kYe@I=k;9tl)n7P$dHt^Ji@lifM8* zuN#z&%Au}w)ss?*7N0D?Y2PE_IX@t?;y>vKbHyXM8Y$3_0IsujTryHuj2 zSP_S-w-ONHoGs2f4-C$p0LlEjS$(2yx24(OzSOM3;=iocXdB?b8#!+_M zbL=gTxF>ZbWQqHx*>fbtxI>L4e593k+ah|;C#+Grl51Nme5p8TLbR6kO`?rZT)`BY!o_rSO3f5X4#|2c3n k5DB~*xE|OD+z)I9wqYCWgJ+-xH{d4xJLnINuuuc~7X@v@*Z=?k diff --git a/WordPress/WordPressShareExtension/he.lproj/Localizable.strings b/WordPress/WordPressShareExtension/he.lproj/Localizable.strings index f7cb78256e62db420322c8cf8505fbcd5c2a5dd7..ce6f21d4774acd6dd46698389a75e9f4898e43af 100644 GIT binary patch delta 1293 zcmYLGT}&KR7~T1~`#TGxR2SL`Lx55&La;XeR9Y*of}yl73(Izab=bM=PTAcdGqY7{ zq?#BLYfL3yjM`Wqd?3-(#KhmkJ{XfmUo@=j%2rVdlCokgj-#zDi z=bU@7?qc05^1<*>gkD8s9!!qhl6T7DRpTXlV;4wF-0|{ zlbT@;25DM5L*ZRkf&$mz89JgUk|`$)*kE_=jERAP$&@B5RFOKQNyN9}Ij*KCbnrFq zaFEK1q-EeSUJ{}`8H4Jk)T?GDAjj+pgimJ2QmT<04N^0!XCzaz6`+p`z;o=r`s)6q ztW#-9%j%M0YWkFvq&jVDYYT;Ne@v`{O}<7fuZx86T29Dn28NkB=pt3O$HXctm!#ooWeyyfoJ>tc2PPHSq_(mCfnYCe@J%ycKMhmNP~(W@LCqv2 zs_U8_>Z4DY+oNOFC?-nq9ve86#z06lQ*`7wRa99zF=?t=#u)6UDH=Cp;w_I* zGoG~c4ArCtW{HWF<>I95R*?~_AgNDI)6m0meBx9u){6|pj&{kJI88}L+0$V8?@$+- zuTEe;(ehi_LBdB>Bdr<+++?zW;WDzU5);L(;^B3!o{Nc1aGby6(0>o7kYC78q(Dk4 zS;ylCvgDA+3J$MXqZLxZ;rBRN#dDby;|N|LYjDAH7>d3yL`e3_JR&H8~(8em>H5||))TV|E4BW4YESd0=}bwykXt|*aZNc#iumA9SQ2W{SVc*k=a zJmc8`zmdZg6ditxoB~BR~>IUt~iz)C5B~oGY6PXW`t3h3(RZGEb|$2gJoDJ zyO+J2J;5sMS@tbZ}dc*a$>l4?iyVE`Ge$icY z|LSS<^mv~4ta&!P#Jk(u?tRv`-}kxin(w+$FSH7e3PB+)oEI($v%*KhH$p*J6>j?1 O{eM-|R`kHxO6gx_fx5o{ delta 1385 zcmZWnZA=?w9Phn6Eq%FiurXi^c^1Y{*U;2#y39<6+YBmWSPF&l(jC2r_Tac{dRJoS zhZ(cX#C<^WBr{oNjDB=8#`(dSVB`zY7&Vj?2MS~85-P^b#F%M9GXHn2xWzP0@BS~p zw|_4+Txxhr3baLg`%d)_3=YLkOT#DPG8suEmC-S^w^f$0DJ6_(m`F0#wV2pIzhG;d zLwH0{Nq1{1rDkJdO;=J%6P(pEX>6E!I*XGeO`tk=Boi5ja7s7K0B%xc8`Yo#TrX9az4Sbv*%1@P(!M{lN*g#l`C-G5TGl^!##A3*0^?1Vs&D`dS>eRQZC%m? z!E#y}F(1%g6?(ArFJo7CxV`VVteChH!q~EM+_Ew?-RSD+A}WcS^bEVlKX`)3iiA(5 zOhwlWx{Il$hZ$ViX9bHpq;V4IAg_Q)JoRohz00{z4~2=DNo&~DZ5`ba#Z*a8n2hTa zBzjCS#udZp?@q~*N$l$k6mx+r;f6!S7i<*MjfoY{6EmK)g0_8IXP#!8@Tqn_6=&jEEbf&DvEyL7J zw2bofa9JyT&GSj43>yX5TX`5@9oByVfPya8(cS)PI_VUs=GjgUcrVZ+u0DFt_Xqu3 zXlC{Sc932{RkYk!NvF`WRih{eh)eLbl-vTo8)%u%cx!_SFy96)&;=a}J|{!_dl=0t zpm_oPh*qKV6ZBx8KI43a1gM3AAFH0juzhk&J^9z1y{;zg*^i}dP61!L=GH-xr===C?l z@AsSUXD$s~8hB@7@#*9<&mKE&o_Oy0hsGyTlT#;Om_Bv-#hKZ3X7BLazL&Cg&dC?% z7mh3zkCv8}%cEm2vr5(FIh(b3DJ!ZqnhJc$eYr5@3Q6aJNanMAEogD|38HF)9J1!e zU6)F>8mUb*q=v|l8pDI6kmby!fv-+u+Fv~7M?92tM)-Ag13nfn%rz^Xh-%AOE}NlG zWk4I9)+(*V)$8b}I`^z# z!F`2EzQUTGbjBMEuU&K+E|a`F&~~yjY7-|ee)pd8-bB|YLIkxL0m(|)*>g1r+r?h2-IWWIB3cts zq`oqm@lx+%XH0iMY&$x&P7Y}0SVGO>N7Y*A%scdhuLivclkO30Z0fXy6h4!`ft@eZVhjs_|a&KegI3a-wj8Tu-LQVLe(kf=Uw!m%c->y? literal 2845 zcmeHHOKjXk7#^>^yLO<|ZRmqQ+i616LYHj=X({EI=0Q`^&5~X3CQVv1YfskhdOgOT z-F7Ph5|;|Na6keH1cGDX0vE~w2`*GZ^Z*hE$^nju3l}6fR0{vtX|ke`ct}7G>>kGU z%>0k<`@gRicy7e^@BdD}UrNbJI+Inko||r7cguQx!^YlQH*Mas^|rp-@7T6|2j1B~ zaObYU-Fxo3dvETZ{J#A|_ue;r;2>N(q&#r=!G|7x_YM9fnV89>tvDR^T!C zI)noj@f@s+u1AfLAn-b-zP03#km3$&g*f6Y>|lq6G@s9#`q?@0kysXM`5fDfM%ZT@ zJEToN9?BS13V#tEZ8DGwjAQup+bj7 z-2tO~wb-fwlFt03AJLHGDc5h9dY=*ZL03E3<=JsBk*OP1hp`~a;fOUUr1$Ii427!C zgiJg-&@qmnQ`pF3=qoOOL${<(TtA1Kq*J5Vg$pFY1lK*6TMl3_P!ipWM1jLNgFUfr zhh&k*a01qcO+74nlt2?6Y5A5TI>J>J+QpDYa6AZd*kg6<##pUvuSAbqvgT-=8s9{}6dg=Y7WWIC#2bdj_? zeo{<_0F#Cx3+Kw$(wC1AtFbWSLbIdH=YX`SZ&@R`n7GO)@h$3^`ub!7m*FaLWl+0h%uLOV+dzL2 z3SMb?Tr_R!IF1CxiwRh304gQwQ41j0Im%j|?e7NmgyMuEK>;KXng}V7mp^$t*2r|g zK{}C#N{FB~a*>bf2%`Wo6d{fW1wYs8ceR;0AqiX{OV!P;H zqvFJIR&;t|3Sdb>&L^qkT(hH)wGQ3`lrImp2rVu{jjvb8Y8&DBM)<7+Zfb>oyj_9)ReE8l5Au^*t&Jp`hy4xa}h8PV*q-T+Py~kC+ z<5(LuZUC1%VT52lf6wCnMQ?M!6g^;uA{$XDi$ME-)!ixu5_zm$F&ZB8-O99GBbNJ* zyITVp(mL>R9(y`LO_Ue^HBHSZ`EJuiD(ax;(TnIk^Z~jo9hHjGg4B_|lzvHhspnD` zQlF>3N`0UDG4)gGs=Qg=ChwDn<$`RXNoj8`LJWs&-C$L3>$yReMvrpna%) ard`pNdN%j$Me#2sB`aE7UYD1iq2B<)lb-JY diff --git a/WordPress/WordPressShareExtension/hu.lproj/Localizable.strings b/WordPress/WordPressShareExtension/hu.lproj/Localizable.strings index 4178c54d725df300f3d0b77751a5eccc34ffce2c..bf7039453f145e4fa8624da7cb9504fac7c47348 100644 GIT binary patch delta 1121 zcma)(OKcNI7{_O3-)#CFWaJ2;EiyVma7 z!mb4Bp}ka9K||FZ5SI!h5S-vp6;8cys1QO?4qQOVp(;{)LJFuwz<3=+0fEGfX1|$l zKYfq?ZzZ%6Iy*Z1NqGOKpB<1s|KiIJMn)rJ;|C8N-f|@L)zOK`?rl>&)6rwGxSB|& z`qDG~vzcse-{4&SxHex<<64bmV@6>CM{LU@mNzr58y=3@u9u9FvRxzeD#CP$`$$QT z=sNbaqD!BnE{f$YI>>j*sTk38Y+E#{;I_;W%O#G7Ck(4Z@55aksc3cHG~9)`81br( zg*_WrSZX@Obrhw0v2d_i*ztB8r?*p50y zPI>FD@un*u#PmAqpcf^jJE0n$Nph1!H#9t5@eJE?lW}5_f=7daP;S$p-#o5XOk2~5 zKGPf%PibYMj%tO{>;&_&S_1dDqK9bs)2ZKs}TDeHHf8Z+Fo;kxuG ztafBufvqI@U~o-6`U|&%PRo6p)k#L^HC*(Pyf;(=t&~NBATIRCcP3{lw4!6WT<6iJ>d^^9J5AzZJFdygVd4qTO)BJb*|AH)Z z3&TQ2I4+ch3&IUyQCJm?ptwhjhz0Sy_`7&dd?-GVdZe(FkxofJNWV&Vq($kO?8<-2 u59EL3|CA4vUS&u*sHBy=Qd7QF&MKDzU4h+!{ec+p7lJJd^fkL?0*zNS%vs_9 delta 1167 zcmbu7U1$_n6vyw(z4O_Uj<(sYV&ZKztwI|KDz!0fO*XN{e672)yID8MW}LZh#>~zv zJ9oF;rA26=4=tsJ`_c!Y^q~rEUs@0pBKjuS59o&v1(7zsXd(C_tq+3U%*F^}3#D_J zIrqYubN>JHyGya9*olD=LEM90?cLk=+UsxZ>mNuMgX@R(zjM-h~?nGFB+TK1#!cZJ@}~WkxYN3;x$;O z(!s8ajc0Pn+7ZtU=L*AqNU9W%y8b*XD4W>~%raMafqj5#v7%wDrr}BuQeLySXl!Hq zgbub0pIA7FcjpGlQLEGYgcb^Q`1)oM`9o7D!kN|x)J1C~8Mm2&MloCthMd|EW( zTvfa?o3MPFctzu>o>uW%#S1KlIHt)xFhkzRuE}wsE9&;0q_a$%WfDJG8M<7BpTUN%LRAd-Q7LY zI^eK1i=we^KcV*A%2+~|l8~pcMX?JX9_2<`zZ6=fqgs;*UbPfd8*D;sSIx9lC#wkM z7QzSc+K+(|@E2(EbraC&CBS30ypv6Hy#I+{*V+Iha@j05*t8x;tb>3t-m3&cz;!)J z?Vo|Mvb3XZt;+*U|AHsxM)vA}aC7tg+Y}BxMD+3_h-{Dm%b+|DhJeTO{{VFm@ZEB> z57`N=z3=}5V?`~#!sNI)#xF2XK?A%8J_KKbZ@~}30U;?&2@T;V;cw9skBeW5m&KpO z-^D-0TjE_9gB@@O+y%#>4L^dP!*lRFyacbnJMbRbf_l(FbPQ3{Kqt{x=o@qvT}0ob z-_Q+oS9(r*N!lazOIfKPy(@hxKP_+b<-A;%f0S=4uJVp@TDhcLQLZXCRj9V9SnX9O z)VI`+)i2av)g?{Rwrj6wNv)#2ubtA)Xp7n}+70ctF6f57RUg)8^%{sCQD{Zrtj5)# GH}3<=3TmhT diff --git a/WordPress/WordPressShareExtension/id.lproj/Localizable.strings b/WordPress/WordPressShareExtension/id.lproj/Localizable.strings index 457d0e15f66b351ae5bc331becf018d6d2d1e935..b009b101311589a24ac47cd6e26d4c5e46f65dc1 100644 GIT binary patch delta 1338 zcmX|ATWB0r7@qrOjXFtax4GD!Tq|iCh|&iOJ~Z1)ZkyZQv)Qa?cTRSXnVs3poGGqC zi!D^Jh}MHxsMWWk!3qV1K>FlMA)qMON0Gj0@kPW3l@{xnnN6O~%s>D6zVHA3Z+7Fm z@eh_d&QDFx%+4j}7Z#WLu9y0U(kXZWtuEtg9V8r^Ae$7%+Bt&LPPSL00@ZsDUv<`iX zWKK7mR;!q4nvkGSSSqtTN1sR|*S~v z(uie-b9&3xPpk z9yU;V5>_`>=9s0Le~Qtr!a;Ipu-CwzNB`#i_-fP{ zp_C1yZ9Kgp4v1xAgeIjIPVFr&o5GDIw2QN062L5ML8d$9+a!=3M1q~rUP-ZI1G^j0 zrd#R>8rP4GmC~?Lfpu025>hq}o@X1eKm*w|->%hQJ<3Sg7@&95o)deFHkafOXLBtM za}BP^LG}#T>2Mwx%`p!kFfsj12VKmp6!vg4U`RusFzz3eV?Bj5ax0jy>e?(~3M>pZ zP_S`|wLyAW9izA8!%~W+hHlCO&lVC+1p*7!aM>6Nl+br$u>)nJD~aqqpx`!hoZi*? z={bF(FV84oz{?~ovL@*Icu&G+Y>4j2E_IY@Z&w%!;6X@0CFrZ+>>RXT_sNHPoF8Ls zgZoj*%=o5ntt>P>48pi%7O{ovk&qg*60=of;zu!whcO92>(FCgOdNSyWJ!T-DY^Fe zg(PbDkc9CvCLw`V;8zzMntIzsi?*%)ifn%-`mB_+JHH zP=ptSmxKku6y6j*6>bY(3fsax;i0%Hel310-WMN;|A_xd9a6V+RC+~9NK;Zusz_LJ zrHj&4>9MTIee%n4QLf0gd|7@^-j*NA#Xl5HIj&4AOUkBlMfpnER_-gmsh#SCdQ#1* zuc=qno9Z{}BlS;B)JC-%+Q0g9`T>1R&*>$-uG{(*{g(cPeplbozt?}#f7XB3|B9J0 NFZNFCbGr2m_#ZtDw?O~^ delta 1349 zcmZWoTWB0r7~Y-B&LvVOG08TXkdxLVt)!7fi&9X`&E~q#lc26>y*~}%n z`Vc87R1q4FPqtWmO?;^+RIJpuVyd8pKKQ0@Qj|O>C>W^!>?S4P)0{cyKmY&T&R%#g zd}ZM=?c(Ir^vvvBbUwDQz0}>F9np2<;);`r6Rac4ENZ>%HrF*6K`YcCsgYXEs28=9 zi7K`Us#~6o9M`hzs7h=yJUq;P<=%>9VqVFhPBlMeI>dI-EH&4P+LNi8VPT!MzR%7jm4`_^eGogfA&yX;Nw=@UzHM5h?d*Ia6u4(kqfv6q6VE$0i1qIjJo zqvQ=BiMFqY**>qlwj3v}XPd~i8aPr(>KY^+C+pTG$&6EHojOiFRnxIc8txRDx`3A8 z;d1i_IZbtoTI;LCEmwV^8@zp+Z*l!-aTe@sUdcCGH+p5qplby(!REP+r;@%TOG&(5 z!qqhlh;StX_F$w_c3$dJvPoj&8l13J39$j$R&%gZqOQNS5o%{8X@Gq!WA;wyEc;X0 z2m_o)1wJ`w1o;?byJ|0+S7i2qcrMb`P!Ty8yQl=+aE0c^tP(~BtTHnMz!)??)5r#z z!F9~`#je5BD0VSqBizV_f3b=kYQO-`tW5gyt+Fqr=UNu$YYs&XhuKi5hb@FqXC6$& zD2Y86o9S6>u6p3^Gcfs-&v9w_kOEpGz67ahPxp+)1k7BcHVBuUgv?V|K+t3URNJG6 z-InKk_P`TP!AN*)4c72?q!criu!t_gOJb{1_f`%rc-V#7!l;LVT@zJyrs*;Tj&sC3 zvdo7ArRfA+uVFJF2kL=Kf%gKR1wIe_5S$Fgf`wo`_*3w2&fvDV9d3`i$Nj=R;P$x# zzLW3apXHzDqkNfvpZ}EqivNbc!*AW^|KT4Br-g_xEvyQzP#3NVyTT3Ortq!sz3{W} zn{XiZi9_Ox;)s|Q^CA^D#1F-*;@6>bp%+3^AuIG_=wHc@-j;Tx`_cpHFX=#*&k8Au5wR#sGc~fwyVAB8TEoXr54l;^&|BY ObyxjD{f_Olp#K0W!oPF? diff --git a/WordPress/WordPressShareExtension/is.lproj/Localizable.strings b/WordPress/WordPressShareExtension/is.lproj/Localizable.strings index d059a3c3764ee7f325091be0753806fdee49a074..e576354006e4ce6f7957058ec609b78b5fa2216e 100644 GIT binary patch delta 1184 zcma))U1(fI6vyX&-`NDRx|*#?W2V%#6-yw7R-hKZc=+n>iOiae7re~g=J$AhRxx|U&;O@Eklc}_o$>#D4 z`xgtvrRCBoyi&GFrCPJnc#RZOv|K}R&t=4A3)41bXx=a#}l{H77%r_@ky;g}l`pP>YG>-<~k;b?BYx#G~E zwwxlY>AQ$|s39uwq!Q&X%a88am9Al*pbf9-qkwt-2C5OCjEsy}mZ(<>4-4t&y$8@J zs!)e4SRw&eF?D%S8s>2=VwA#>b|)Odu?KTgq=K6c%S<#H&PE~AurVVYFX>Dw!B2)_ zZ+-nD_w@XprFL2BRuS=i&$p6fo$Z9C+aZ1l?%m8-lsRPS1hFYba}7p4H^`=mL&~fa zzGsH8a;>cqP(}h_xfJdj?R1Bl4adVau@~BNKuNqxtVvw1FD67(+z`3TaqO0fgMzM) zYtF&jK?_s?7Apb-RDcU8|H>SUP%s0Y7jYjrU|VE}{|@fo%ouMOyKX}s=Lhv+{+;yD z{h3MXGkkZ7kMNhY$M36w>8?HqfG2cYx8a$0;N1-w{|gR58>EGcUqS01g!b*==nx_x zDQpIS0lagt!^y}BPSkPuVHn%o26aG1vumApDHv&g|0PpQ;)-~U#H~^%$XnDwE4YrU zU{*LGVp^SR|AIut>9(*SOmqrR(8|p?UcKJ*y>PfYQ2u&oK(i8F9sh4yo4^Dc;50Z3 z&VhHqW$-=tQIe(I(n0Bnv?NjK4e4!ZOZrsWmL*x2_sfsTbFwYJAipnf$sfv}$d~2o zN>TY(`Aqpzxu*P~{HgY;5p|zBuEy0_HLb3wRQ1)<>MQCk&C~|9F|D9sZC&HqmUdP9 zNlz>KkbX$d>Vf`_eqO(%f3Dv!V#XmOZ#0cF#s%XG literal 3005 zcmeHJONS4{+<4Q?i?qc{mfo^#`HGddu3Eij?QQGu`VAXz z-?Vwl)@^s(nc1G*v9sr{yLaur2e$2z@7sI-z6bU{_)u?Ozc#RBaOmL!2M;|md^mSx zOIp;#(cM#qkgPfQ-yA0^eALF)~3wAV1OPa0k&PlCUt2xo7J^bW8zCvtMS10vB9Z_ZSG@} zv?+F|+p;{*;&xYs7Bws)o_*8uuxI%+i;E`31-Qe#M$58+9+yBBTq8EFnZ#~DhbHy9 z5A?E?k)R4pn&Ss;kGeh{w(O>^tty2$=p2$w%m}e~x>l-~oI73yd%Q)VyxqVjDRh0( z<>J-^#MlF*u#m-oD{R0Aw4^~SJA+%KQ>EB~4aCC)H<;zuOyFQ+L7)|d9FzMT*2J>m zlDZ$#30&{hHFtzj0w5R(?3yVM;R<(+5tn-Ky5nRp;|*+uT+J?IYrKVtZ9wfNG#5lF zMD!9LixYh~9+rTB#XeGNPUI~B+s|zunAWuw3ltZQEB6z-MwzZHiX1rYM`{#{;8?Nm zx4K3>=-QGT$D~ax7CKqb0IzRapv-&#y0$b_Zf+$~YFSUWc+q4~qfp8Zj}00i{|GcZ z3wlt1)-@cS1kDQvEM$OkfihYH3fA}YfEo4{P)|&pm`Ioa;)t1WDTtSyJRHu*5yywo z@fa!~g4)PJHfkV@9K?}_e7srcGk<>Pz>JBJz&X;Q#T-2am2nq|bFXzNemqb8zzrQJ zL@5<5pV4xjws@OX1}slZ^LWWI2#l&Yd?Hd!%u6K|J3_O zQ*UTK%6)F-KL6h&FBY*+Rxqe@FT zt(;NbQO+xumG9M+>OOT+ZL80yFQ~7m7u1XDW%XzEYI;q2TY69WXu6$#GW}xu)%3e4 P{KR9?6}Z0UlYakKMf$u! diff --git a/WordPress/WordPressShareExtension/it.lproj/Localizable.strings b/WordPress/WordPressShareExtension/it.lproj/Localizable.strings index 723c0e34815d9ded1ace6a440db575614757172c..76b94616f73ab764cc45d44270e9466d77b5525b 100644 GIT binary patch delta 1276 zcmYjQTWB0r7~Z+<&dzMjNQ}9foM_fcZDZ3?G)lp^O)(|e#Jyy9ySo`rW=?jGnVqxF zoLSun3BE`ng4NTap!g(x5HA#cD7J!#;*$?PRFHyF1SyDbMMXpFnccPeG@LX4|NZ}W zIX6dcj+}*0tQLx;;^}gwx@JBL*DV`u)av-TO(&OyEmX;1s}54crO2hFc^gx(LVUWK zK@HME?0pfitI`AU;+$;*3Tr;w6Gui&V=&)z2(*z6W>xHH537X?f;J#7 zJ0*iedBOFON5LX?H`#Z>gM)>YVBNufeJz7%;JJX34gyO{gY0GT;mM(F9eN0~N#FsW z60Z&F$V1c9)43d^SIvWhUlQcC~5rqLhr0=5S?Xa|{Z@;JLK zO^p{$pbZ!}G(XpDI_+}4X+w%Si)HhfMYbm=U;p+c))tCW)o=&w)&TN6;^orlMSACI zKD;swz&;cQcao0X;qB*hm^!Gsglr7Ka+6}>`m0&wAd8yD-6s*X>LH$wDe^fN)9C98 z2ZElErBEP{h7FW^3R;_|7rDH=gV(O5plcxq_}!gWyT@XRFF#b{`jop~b%+#BV84NV zpZy^OgOzS&7sWJ;p787~X;LzcBwLd2d-7l7@>%G#AQzA4!6LxM!0KcopcrrhOT@+- z*n$9h6kEh0g$!;4q=nfvHOZE>@qLxKS`7zo4Tmvd>G=HTFaS`!0;0NJ8&%`GNz&hF5f@_`7VBf;P33H>VAYSC_^Wa#JnfiWqF+L_74m;Ry z@iY4cG u+BxlG?KADVc0>DJkLbhtBl>auq@LFuo$A~Au6|DcD>0BblvrT7ec&I}7Nvy% delta 1315 zcmZWoU1%Id9KZd#z1=`v~c+1ojH z=gwYysQ6GsQId|nMMdyIv`|uCDzw-KrQpYdf)Ax2`X-9>r4T7WoxMwI!N=MC|9|uQ zn)|)?d)MLksZ2Jva4ugcE|!+yvT31}as{7XwR6*!1t=_g*#v?XAWkU~WnYRtqcO08 zZIqs_)$C>|(w(e87l9_JyTGHwZGsAN(Zs|A`&E23mYuIJ+t{n*PdgrRDVW91YAMp2 zuGs`y$O17?BOV;xu3xVkh+?G*=4=Y*xSwaVT(8suU z#vcFl@Wy01F}rZm!W7JNGagAf=}XzTaY)T1k&R5s*2JMb#k0u55X{vmCXUDYgdX;S z06G?YV?i8NQ7VouaFJl+!!CAD(v}tzh}K;PP}1U&PGM@JOafI&17%NOuZle{pRQSu zqEK6)|kWHxrpT7}0Ds<;~_`E$PTx_)mdnN`p z*U8q^0d`Zn!`=@bWbYc4p3aAZ0J;>L#3me*SLHBUQUSBWA$C~Rg+T_xJ?yHYP37lZ z#Cwh%ObKr=Z-#{%*yE1!$dGN1wpxU;30!kY1LjWi|A@MTL8V)Wa?t2tcG_|3whejG zvHxy0c?nHONs@PnDZwcFBiJWQ?6TOy?yAFVGThg(_bjpS3ZHzm$*wC0^#woYHO>OE zztv-VigPvpfI-!doDBt^ll-1>N&A+`+8QjzNwvkdZOT>s8TM6hbR@$Q<_>W3)jDb5 zTmpGD>`+qlohPmX+v5+6ewH;lFB=DhF^)ONUJHdrc;3E%Dt{-0XUiW>3!}BMup1_) zvZan)Oedk;fPqk;8F)SLX5dQTTHt%(lrS$8gr@L=ur1o+Me$Sd8}Uc+7x8!Tp133J zm-?ki=~*c*nbKR*N75J4P3gAulk}JLk9<_C100s$=}I$k%$gAY_m?NE<|^w3ynJ@iTFt`^Y3+Nd_EO=)qhrd`n9 z(JpIS+PB({9@UTOb9z;OMZc!s(zlJM@w72zl#ENp+s1pw2gViSw(+yE9UclF2_Fxi K2~(DO0{jaIi?zT2 diff --git a/WordPress/WordPressShareExtension/ja.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ja.lproj/Localizable.strings index 9b9b756ae90b9051c5748347d0be9a45e44e671f..35aea7e3ceb8dfefeac6be10ddc319f91f54ccda 100644 GIT binary patch delta 1222 zcmYk3TTC2P7{_<+m!)x(q{~I+G+atkA*Ur9V@cCiN>vI=*xJiABge6NMow4#24GBL8Q*?7Bwf6nK|b> z|L_0*eH&#PWixVfPj9F%)E^!g9EuFfN>oL$ctU$NnF6Z*^CY>qo9C&lm}0edv}!u z5^@HCoRQ4{(=swSkU$yK*w`2h+WjL^6~0H8OT~75LHk&a%bJb{h$`H|ln-AB^tR4&||R%Htnj0L*=?Rb-}J^S@@I7ftP1|1KY z9tS9sF)~3P8ngc0YIU|E62MEOXQDQx7IK^2LCs2`!49NqGU!ZOnxUIL0hB^fD473Rki8GG&jAE{@(2n(DMyq2?KWQfhFv?sSrvlx9@Wed%{1{JMAkD+?u7Y(T#x3PQh8t2BJGFd#%MkLfV8W-TZ@HX63lDps-zQEPv3DHxj z+MV8k*Wr2$-mpdAhHsr|2*0Y#j42EFSFsYm!dDM(tLwoX{tm_Q9&=JoFT)8Za-yJ} zhfDBB+r(wKj{g7ozRmQKZEtg1CGQ}O%@4ht$Q^)5*k_X zL=q%R)|30mPEsYu$p!K}xk!FYE|WK?0qPQUm0F=zsXwVLx`ZyJchgVME%eiLfL3UY z&d{gmm*~G3o~dM-m@qTUj55zNlgu*nGZX%e^|0-1n2oV#*#&lm{fhmTy~{Om$GGF% zi`+c-C3lnC;=TM~zLod$r}-^mP)GAmT!ETgc2dz8U20()>04a7_YCQc~O777$NuD$2lTaRnkUXijW zP7`Nf$)HaLi7wOmvM9K0z9kybIW=Q0`iCZHmT1CaOtz6_iJG}Ah~BkxEHO{+kLP)Q zzwh(;et&nP;6}luRMFh!@9yah^z{#jgHkXgBPASBcSp7EdRYdB6i)g*NRmNJ7oD5& zDWY&|HBeLyb=Jq@T3U1#cq38*fpjdD07)a3NP`GUpsK1We1X_o?Qc&7H8mLtJgFy9 z!T>F*9u=J%JL6hRl93FmK|Gc;DnO|wXH}E9kL<>(y$rudrSe6m^Jagx%w(t)o#ps3 zdojL33R8zcjlU5oQc5%WEecf+1C&U_5Lkdf(?t5GcMf*HzC;}Q{x`A{}Sbl#O?0I8cyKA-8?tok2g&bR2ybH{)*EUB6l)DTFj1~SV_EhxuR(Q=n~9yAkQnH4DV;3&I@*Ehb9zw8U6uJz)WaI2f{PVcD%}p_=w|vjQHt1 z_it_i>cK;!J7CnRw$5n%zRyy3X>LKe z4qLM?XR;L0wqF9>_#R=afU>9hGZ&}N;CcE1IygBJJc3u5hl><=!6bSEzCKLbS;d+9=Mi{@+Uf} zu5r67ZB^EaWL;<0E;RU2Rx9KEQJjH(sK7?}EbIYgF=wI0W2<&wgLb%xk1@q~or5b? ztce|*hhrAwtzlRo2+o*POF2~|z)qIOdT zm8K3;bJTm($J7_px72y+BDF%_OIOg3(Dif|9iSC@4}FZD8>ByX)HrG#PdG*$=NW>T zVP=_2>=t$#Tg!H^U2K>=z|OGq>}mEIx1MuzVeSAo!+psuaI3t)Z{(YJ5AWxv`J?V>mpkQ zF`{vC#x0L;amM&TNoH={93^Q5mw|KzBM39Z#MC&GWx+4Y{GgJ!h<6kvm)zx^=lB1; z{qH&MInIesb@zCBJ;%JhzJC8pq7;x(Fcemf4@BIZ;tAw)DSb4|t0>gomqZl@ghRr0aQ($26L zM{r0@#G$6E@gW#Saa3Dd>vo&^eqlFWr=3DUuGei|iy={oVjr;^H!~%>{6dM93(9dZ zsBbWvP7dOAs=A`51qH=KMDIEji$#XKT`^hI(T1_kE>|1APuHAZIE9A@Pj#Q=L5YSS zipSNsyB)ov|9{kK9r*=_FOiOsnuxrSTkCQwdIa?yL9!ykqcL4kqgr<-ilBh*7q&l- z^g!6+(-a+PW){D&txz0HY!=yT6$IPGLF9f;3=AA=GwU@cOl*I%7!9BZ)C!)u3%{Ob z(|l>j?8jT!)kct>7DXFWG!6enBpkj1vcTdOgw5jdhg2oy7i#bk`r-ZmEl!>TxzATT z$+}?1So8q+y=S>&5z0vb;1B8fWofS5h^fMZ_!?J+&vC`Lo`1XuE#)t*0l4t40dNyn zNvVQ>hnZdGy&YfXckVoX-N@-T(*PQ?({BTqJDscp2k|VwkG}qO?sfbd`(&v+Rlah@ zk_{z6+6UnHci9#LBD0JGWgnB@nL+8gk<%xm~fRxClrA2|r% zjp~d?x_Ud;rV2aom$nK#%-S7h=&vpYC)Xx+WK$-jaoQtI!=<0`fZgd;K)q28prxP9 zrhTb=YA-6t{~3#EM%k8T;;R9aY_J}X%-c~M_(Gj3&!%{i-KY4VAgJchQ@ z6(I|48d*EX*1%3gm1WA+=jl|PLAE6NM5FZd@ z#3XTtBuJLrOCBJPk}`Rc{Dd4M4Khtmk-t(tDn-puIckMkqyC|b=@NPm-9$IjFVLN| zL@RWh9;V-*|7JLI6Ag@)k(rm7lgtP+#;h>jTP(p=vrTL}tFgoE1bdBLVDH*$Y|q+S zZMtp5HfGD%e&U>51y{u#;1IXUALiYBFF(qk;os*k@F_mW-{gPf@9@9#fAZ^gyM3Ge Oto?%Buz!P>ir~M=inyQv delta 1355 zcmZXSeM}o=9LJyDOM7=)`U^)$BSPB#__Q{S~QG}}C3%A*jAVMYJ;vdA{ z5c%a+=#^yDQX34)LoR+#vtI}yIHU}OU|3Z`L(q>xsIsyW|41CSwlxj7Whw0Md^Qk9 zAr&@Afj$?1UrSI{1QChQ3WG{mt$?Mnm~jnbC+WbFsSLkP4dl9be(QWjre&yc@q6)8 zrb2v!+%Y-^_qWv}uP`91U3v;B;Daa>QbO%^Er#F|q=5a9;OTSPB#$4~DFGD)R2QG8 zwa9B~trG$sB)j-5BLf`R%4D}|oi)|}G8(;I{H{g?3WI_q3vL;~u%seQUaF_ERcM8D zI4=I)W?>LPF(i1^ZP|BQw{PA3VsneFq5ZHZsjx|d@o$yGdX>@XVoPf?l95NnFA*j8 zbR9*aB*0@qRZ;?BTwuz_2TgESyABpM3jN65h+fo6!qE@&@GX+<>9!$tAQXVAlF89x zmsA7x-LHZX{37mI_OMqeazED zDeP#_#%UbsG^{gTjylcNr~MQ77_qz3t|LLK>CZO-Ts{>6y)%)ddL;&6WPbJ?0Fx)8 z)u2YOumMPE#-KF5%A0A$8i>SBHJGY0O~>jzc{^=1~vGm_GXwaf7BhVp584|ywB7(WHzQZ_8ZjpmA-Ni{y=9>11sQ1~4DtN8&uX5pUkMM2C7 z;Kb!beFQ|S-HQcZpVc0bpnGcHT-s;gNhBtMI(MJmLU%M!ZV}Ko@%wB(tMGfa2Jx5q zkzrrVdEw!0V#7+e7FX0%Lu5T3k^Uom*HbitYjb755O@W=1tMS^ESrv)noLg9kSS&Q zgOG_~;v8{_xI(NGKNGizJ7g|dNLG>i$VSpbzD<5a#>tDrWRhGXH_5-LV#-QANA*%F zHAIb3pHW{@F=~doOnpynPa<_V^QaWNt01?D|win+;Vv1M!(+s%5|kJ}4sp+OJzO6*!hOXpa4GI8cLT5Pfd2sN+V8gj diff --git a/WordPress/WordPressShareExtension/nb.lproj/Localizable.strings b/WordPress/WordPressShareExtension/nb.lproj/Localizable.strings index aca39d231c718ac1b65738c066e9ec1daec3ceff..02899af2421754d6486eaca4b174a5fc4d997a64 100644 GIT binary patch delta 1356 zcmY*YOKclO7@mFFSsP`m&^k%ebdn||f+|u#9Lhr|uc`$%iTrk**i5|R^~CF4vpcpL z3Qg&u7eIgpL=UKlhl+&YfB*?WP9TH?LV`n1fKU$}?UUE$K*4VcIYtMW)Ag#KFOep2)T=2N~FaQ?SMBkMXreEX=0lfoML3kpUf> zJuJg`>6GnZm%=2m8|+)*Xd=JVUbTobUE$j$J%CIho0D{EB{B?pCduvPH+XG%7THy7K`-Q#3%7+?PQKsd{*=O51w!(3#A_1I zV}A?n#Bx{}cB$xk*LZeW8j&jcI6EyLTHG64Hi=BvPeX%3V%v4cGC0Q+mt$hrKe4cB zX44j?T+cufc@$IVv|4=b4GS4Yw-0+pJKo0yCwVobgp;PE(QsULp=Xq19%O&22iU8M zGUnI#h_`xkp*4^M7653$|oP;WWSA$ zj`mmd{d-XVW6CD9DfXrI*dg8s*#>fr%#7P^lowk;rra*q-uSWiKU4Yyrbk|jmpB(b z3a^HV#V*EPBKSd7b5hEbW6Fs%3%(vW6txJnZ-wqpf z?0kk;tEhpC!Bl*CE7P4-cb!5bK+J`^!Xx}1&kHG?Si}6?-4^(nKV{ku9|QX%axGR0 zD}7Y~l#v=QM5pTh7)@Z3NYtb_C5Y48$w1#E&J!7qX+3<>uN4+<*+5uOuX7Oo1P z2-ihHRK*GLZgEjG#K*-e;#Kh-@gs3lye2J6A4s1{Ur1ZhwscdD%YE`4@^N`qJ}IZ= zRhh`Hd|tjJ|EolmgUUThNkNLOTu?4;D6cEuDZi__I;qa6i>j?Yscx#DtKX~Jkv>Y{~R`gu-t)7pyl4fd6?OE+b?TYq>_M!Hbwx#``{jB|^?ZlMW bzSuzQpST*Iil;#Ei9)!7W_Rr_apCNLL{+&a delta 1406 zcmZWoU1%Id9N*8o+uOsg`DjdS?bI}Bg%~+duolrIO=<0!#QVNnlI`SnvNyTO?zua6 z^jbC82N4yq%xj@o1g-i~eNl)+5I-pOp`wB>Y7j+)HqsaS5YgG)L@Vygu*-jb|KHc% z+;wx;YjF5ju~e?iRA=Yr&69AUW}!v9j+YvwJZf2hLfbE85ww8on8seVCiNdkgGEeG zVYJyK9n-igSBD+~9k=BHpSoTL)RBiqMn>4WbS7PzZY>b(*Q>`JA9)mHu+uP&U4wY-KIXq$-2ifD|9(G;U&z%Pkm5!iA z*dlZ;V1XSQAkTBXN}khzHpEVT4AvU6SzN1wao3^9p{CKtRrF04$Dvb0#58t996)P} zQ$Ei%^Qr%FjC7ku*Q5(z8)5<%2m(H)h>s5jtg^#gP+*Q}bmw3j0n3An^fvCj>DxbT zZ_E|4naYHPDVXMF{3B%|kaBKyAYRNNf@+kVmiFH<_aw3~1XE3lUB_p;#eVjv2)ZhP zv0xG|qx>W~#YKX17y8(Steu?CBHHpCK;4i>A&)6R#VlHO+o*H|`^(t(tA(ZoDGJk> zjeOx=@(kyr7vM+kn#P?+5v|n&qeI<6%&XEMn91-sqbt=2I>aiEb5xsmf=x-i_vHgi zI79~7HlUdBy5L5`^{ho9BOt*SfY20v4y=4G0rrPR=EuAi?@QkiL;%MJbsSU-qo8Aa z_xo=qy2X9vs3XXm&ml?yb{s&E)8MQ2W}r_IWv?dgW~Kb zy5e2j!Dg~&Jlt2#QRrCEv#NX}*W)iDOqPUc!4qx?ZB7siwy?y>I;A`&3$THBw;JKj zx=Yv%_1>Z4XnVoy@C3Tk0TmL6b(^8T9_9FvWM;$w`#!c?90+NUREn*}(=44DFm_~l z!Zz}@Z?lW)AvIq_#AesyPv27s3V_;>*nySM_Wqp=(wK_vO;$32dd_^{dlp(>J`n|vO`~@^o&WGGgv^D6&=JlGFA47o?+IUu$HZxIR_ut^#6Kh= ztw?W6SER3`AEn=<4QW%}DesXVkROyM<(mAm{JQ+1{E__miu{dyOa4n4P}0g1%928r zj&fdkN4czgpnR-cRlZYxRW{Xq>ahB-I;s}cs_LrGsBfs3)K6mH#(s$1h#T?C@!u2I z5}VqPHm04>N*d9q_PlmcyQHmYUueH1rR2e6C3!meO7hd>75%V2p;z=%`dR%&{Vn~_ pn*N!7RsUN5N#D@_OzlV=PEDkqO3kD^A$%k;I)&w}bL&W*`Wsa@%w7Nh diff --git a/WordPress/WordPressShareExtension/nl.lproj/Localizable.strings b/WordPress/WordPressShareExtension/nl.lproj/Localizable.strings index 2833905417da01725b45566860f7cbc983b6d9f0..447f55ce1944cb38b00eee5f2d94726fd108a137 100644 GIT binary patch delta 1296 zcmX|ATWB0r7~Z+=>}=3UquFFl)011HG=!vLK~W)>HeNOt_rBT7cy{N{?#WJOwllLE zQ=!3!iXhk~ht><~W06`BQK4YH;EPX1eCV4{L=c~R)Iy8(%xuilaL)gq@BjYq`{qjg zO8io0>5-Qc%PXsEuOw5$=}b14&lT2-rE*1o6<2EpY}6ZMvzboe4wRCl)<6rk<$>iD zP8-BSYqslUldxrXfL`Mfy)BGI@^glPJY09_eLf!7wOFQQ+SmXC&7v0TpJLw)Vgj8N z2bEkBuz_rgz9gca;)|9Gj)xM&YSLf0g1idd#?A>~u?r{0>vd@87bp(!M zJLwg8%{#n0?O*8{qMz}x-3ikO_I5LA;+arh27_R<+VY5Px!Dw$Q1f)H_Y8QohL7hG z4_vm3u07lp4z&-2EcgPU6}$!Md0cC*Cz!nK1?#OWV5q4eVc3=;LufNnU1QHz2&S8^&lS1P0+Pr`gwF%u(hLfO@4wJ zkzTr|jzx0`02kRUT^pr)kjA|YJJaW*{X@FezXV{h$u5(x zS@m-fD5z_*3}SrJm!B0qY#G3)#}IDhbL=XxqTR9x zw72Q9ytLobPrr){(UdwnQb_qg7&}IO9y$z`)XO=4bJMq`N;c{B=nVZq^60+Y>^pMC zZhOe{m9Si7Fsm*4yIPv@lK^I^n*^IB0o+122y8TyH|0lwQD|WH!Y9`onM@Z}Fy0F0 zWYXZY>-hxxx%_Hn&a&F3Pdb=T=pLC~1>b*WKY_}jApt;sZlmfzld(A-z7sDUK44(F z_UM7Y43GXCS)}hoW_CkLXeV?&^mgcS=)=&>(4Ekq9M27LPjSz2WsYzcxp%p%+&A1G zJjcuY(w_9IEXajk`J`;i`|=0!_wp_IZdeEpglEGL-VJ{m z{#N0YxN=IVD`%B+%3I2f$W-KV2t(0^aBtResa delta 1369 zcmZXTTWB0r9L9I&vO7Cd&7?6`6Fp5#VzQ9T8BaWvJeo>pvbn{4VQE=Ag^MK}%9ScvS=qQS6mgA11VMF()I<&xNDGBbSFA4Q7O;va9`^T7uCpGm^ z`gCxB{=zGpTj=r343u%*aF;w4#H=8&ZOhIjnG9UP#7s`%(rO`2N>wy%nJ$>Frgk$I z-3#eyY?i>#)V7ueRNv8*Oft{x)c-WLd~53Nn1yfy69X3wKn`(%9Ut~o#YdST500jG zBya!y}#~kOr+woxkEZ}(E@{U*UBN!%I4Lfa5@17lwA5O_sIQAbD$H9 z=4&poOo#Rdd+Ad_v^(d4MKQbv$rwDtOrp&DSO zfXobW)`;WeQ#BpC;HOh)abYZ3hRdxF`{;70y;oDajsTdb2o6KFTJ)ZWPmBJl?5BNFKYdqu zqHTE!*1=w7r)<_vm);ad7=wJU69_Fu1jA?KSaWj_Q*t}9(gtLLF6mBLmrfm x$qD&Ic~gEzz9D}n|J<(}RFcY~QdTVGdF709PPwGqRK8b!SN_@6MgQ1^{sWO>&5Qs5 diff --git a/WordPress/WordPressShareExtension/pl.lproj/Localizable.strings b/WordPress/WordPressShareExtension/pl.lproj/Localizable.strings index 430734b88c3a2387f17c90e7d530e27d224e3bed..3be0ae1338c21d61dc9c1bf496a7089f15ca1e59 100644 GIT binary patch delta 1131 zcma*lUuYCZ7y$5@{X1&|t|T@+6U>C5O|cxNS}<*Gz1+n=H74Ef}lRAPoo-_7qWEGTcYBegvCkJ zXH2AQ8*?%jic9*IEmgBK?>io`sf`D)AD@3Ye$O(8iUB2oidjl*?789*!foY4Zb$=; zN0_@Heu3LNi{sIZ!@~M>mhvcYG51z8h*7yyyeI7tD{2B+R(w^}>=BQYgxShmvVsOC zbA-8~0((SSZP%-2d$R>`2JPBf%+Og9IXs{8eWy{*`!?Zp_0n8EJ0eaQ+fM#`Tr}WB z?^Lc%0_M(P8U$Wojna4ddT6*A5+$(xf|4W5Q;h;r}rQpYltT#{4GWLNx#1f?cstOsB2=6#oL&_BhdFJl*RS zt32zgzhx+}Km+i&kD(`dp3P+zi~|oG0|B@TxC2vw0DCn+fD0I)AlZEWX_Rs!Cz>xE zCR}SGG4d=RD*(lno&X<#&%jsUBDfB2K?!!lSK(eb1sVJpeh$yVAK*<1N}AL!y&{cC zwzMpLEuEDvNZ(5rr5kcZ{#L#sUz2~8@5_HGZA!cHqB5wYm4ix7nNgS$C?}K;lm{wO zyVPB3S)EZm^|<=JdRo1v9=M@C&^ol;+CFVo^R*T2Q|*%WyY^5|=t(`J*LALci8_#j lmeGgkJo*k@MZclj=$>I3J;rupr*X#k#`w|rL;SP>{{{M%YGnWb delta 1098 zcmbu6PiPcZ9LL|xn}4r}uGS<*jCmSsEtPEp3R?f}=8uV4H|y@~ZZ^Bg`rLU*CYj8v zGjEJ5Xh3g@V0Z^T1jU0F^i_ay^6j!q9MW+YxefAYvGpkx?(3q{P6ET@1DId9is}J03ADnvRsqR)xM|TN?Fqi9wDMt?;ro@%{Bz{~IZB`651tyx-XF7;oqE<1qq8*nV zk72)TImDobt_PO+kMdeRtu*mxXfqG1YxqOdxGt4W#&TVT$#5bVSX$XtT{&~VP0ggJ zMN5pI6gMp&Iz$bV;Qlf*9oysUgl4{4!K-rBSU655sUD{%0yB8#YEw1Lk>Mm|zH4LV z)a;~nlUX#Aq?68Zn(Z{bNz?Q4>9Ro>t#wnV`wudQ!{Ooj1AFxrilLR=l$FM+g?J{T zUhswA7eB&-u^?i7Bwv@VX$^D)s-uou;r(KRrl-hp`WGvu&gw0t#$127ifO_h|6iOw zT`H@_X9OgG1EzorUIO+mI?b7g?OXo%zv;XS%-VdHQDOc#o+_K((x$gq{sRa6yZ_=p z`lmn#6~KTmL=BJzUU2Dr-}>7uAp!_6YS{^}fe9!GS5L054!|T;0@Im65+peZw7|j{ za1Pu8bKo1HM@R?-p(1=Myb>*OTD&1X62B7{#NWgh;v#H>E$}nA4aQ*!o`=`qJ@_Sj z2)~D~;Tx$-RXwW5?FSJGMvN>{_$y zsA;8EfW)QZ5e*0q&;y4aXsaHe0*TN=IUpe+Kq5lo076I=9FPzk8bKkw2uvF>PdE15UvXuYZI;o5aLyN*)O566-YkT6iF~w9s8OiPNqvVz)~z=-U1SHZR54^Wwva;anS03^(j9g^p{}4cNvM zPfkwe^BljfkFi~OMDM|s^ZXjM5V2TQ7-Jb_=-#?Mtu{BVowQ|Wo-FS2xkIBUdl*d3u8 ztM)2;Q|h|j7oNQ(C8WAO!RF-q5APXQ%pr3f(f`Gv;>7_`UqtSy7YNF3hf{1@eRQCf zHb{eS$?yGK)FNs2VFa@4+JQ(hiz(#wdWxaQ6g#RWqg6i!ghJEH!C>fcyyVkqAg<+L z(KdY`L=o)A;alG5gdO&cGQ%9DJjfNx^N3<-+3Q>+{>H|Gi37a3KgTk9om?^2RiR|- zPjU1lJEBz%HNgTvzyK8d1ni}B$0QuLmUg?yBxm^s9;rRHqx+I97P!M^f?u++$jCs8 z_fqf&I0Fb+12(&M&B z2{P=JJWrJkd4Y#s>`AbaL6qVayB4Ef@|_b-;rY%KnQGr^WY+Q1H28kzz^VOK@{#29v6-aD*_Q- z72Xss3m*%&ML`UR4~mb8r$j?MD_#;Wi&w>u#4YhhsVaRS-I6|&wxu2EA6b)!Ob~s4uARs8`ib)!)>=wYc_>c3jJ9%No*b a?V|R&c1gRU-H3h_{XY8pz5!Mmfd2y1U7fT5 delta 1402 zcmZWoU1%Id9G}~d+~;1l(dN>o*G{;`j}RjV3b9c1(nd5*ukmtsx#TW6C%cooY4>)n zyL)FZeF!KhD5zoZL0Txj6)mWh`T%>g?`C0zNG}|Ns8x z_qAL5xAwnYkdI9t&kn3F9JsfX(RJvcnmw1pNQcy{st4HT!k+unaD^DSkZCrJPE{S4 zts@J=4sBV`cBs{Xb!_3Wu`%|ua5gj>$2vjqMAISEwAsGE9(FhY`{rF^VHP!T zK8w$Ak#PM&g54Iw&o1S#)3QwHP>)9;PaFdmbGSjDX#4I~)m=|wN2|L=d%E42H-urhFwNuiKPmgr9#-iHN3HQruoJ@W!Mtn9Qbs2l zr;aSITg7Q?LEK<>gXPd%rfCojS!^RX$*zX~>MwcW^OK6#9%4a*t7JxKh+T<%%Qkz) zKDZJa3?w+M?M>fn+&Dzl$Jp<3nw<@1*bDMVb_L7;1ax45UjXH;bwDh z&b>1oKI+Z$C+4%ZcY=#WYB-$3&JwX-<;(zA=QapgOWg)xvrUjr*+>s$1Hm-g6>sdT zs>xYow7Fcj=l%ZJJ4Zb^Om!f;wd-6zp!Asn;iK>rtAt`nbVxNZyl3C;il8i2Adq7O}R2wxNA(oq*> z1?0gk;D8n|0Oh~D+Yf7=7o>?zn`_KCEo6{Y&eVln^tH2kEaloi(XutD?ZM1<3qla*)XmU^alPWZMc+CQ0v+%?co|#*m%%rIrvfv9N}vtz;V0oY;kIx`>=%>b!{Q@iR@B5-#J9vx*2GW6uf*%(mUvf6Noi?H zIw?6)M>;RPBfT$uEM1j0r5~l6(j9q79+k)Cj9iq<@=5u$yeWU*lL*FxiQvKDWT-DR z5nc?R4&R8Vkz`~%G8K6yvJ|-xxfuB<@+>pSg9BO3$*6cqyPW_ diff --git a/WordPress/WordPressShareExtension/pt.lproj/Localizable.strings b/WordPress/WordPressShareExtension/pt.lproj/Localizable.strings index 85cf4526f14fc536edd2d17409ce445dc4449c84..2a1c19f3e4465fbbae754c052978c589acdd4663 100644 GIT binary patch delta 1254 zcmaiyUuYaf9LHz(cK2@gs<{#{jV5(!QcX<>RI!j~)$1iqqnAJ4|Lf&)ne0yX#_a8` zvvY^1l30|G44D9*Aw?2nn> ze81n%T%!DResYI5q>^zoU89!}5B%`ZHX$?nbN3&m3TL}hWL zx>Q?6E2f24?K*jMEtf?tyqFStv6s@vOKOtd){}~zHTb#tJsOhkL()XQqCGT5^;f|baK9lAf@%=A+`Xs-g zm4>U~$;7oGrqrXkIs7==DNTi?S_1O7O1KggLl6i!FlSyw8Z|28Aqku*qtP z-N!I9>tU;aFdPW+wM5UMuCAud=0!}(szi- zZ;KzehTX^xs1CbQ7TZlC?(a_dpZsoE1v&5oV4w*c;PGi=biW8J3B47D#l8DaYW$+H z4;KoaBg9veP?)9IMzlkCcQ=0F$`8YI>PRpPNg`U_hDVT>=m8mkg(DBN#2or_ggYA` z@NLK6jO}_9Q9cm8`hP?>Kn%3OIyeo^fb(DrTn67svNRywBOQ^d5|N&h&Ptoo2humP zBx~}Be3v{gTk;d~1$k3`Q+`k0lD~>9M&6Bl9Qh>jW#pI0AIdJJSGhwOS5nGxC9A9` zM4`&Ma!R?X#?)KXyVZ(ns=m6eo>Di}OKSVF`m5Hf9n{iVL*v?c?V|RP_I>nV^l-Ek zwWH5Q&qd#k9gfY$^0B94ujvCi)1T2#>*w?>{gVEZ5jFaa2_tFD8>ZnHE#s{5YW$`6 V>+$#FpM%bjrS2>ex^BdO`wM!yjgtTX delta 1340 zcmb`GUuYaf9LMMO&)xo!dN#E&lGsU;DkdQk>4VmPy(Ve?G)>O?e@*T#liSJNG@IS) z?Cjy`L#Pi5R?skSwzdeq*b3S{DYTe3QR;(A5kaxyizrgagBA_w?A$hTP`$U>Y7#FV-;pAut;+RIXp{i)516#%0D| zl=^oRj$(@-I9FrDbv)i3>f%FTxHBJk0%y@GPR-&MSSbqE&vo(}vc6bMVCGW?GPhYo zIz^a`GYP!v)^T=>c&o(o=F>F`G2AqEp;fi8N!VX(Euhyjt`xoRFlOay;9;|>fY4=W zA3QcAjA{Kc-wNG~l^YdND*`8L#4H5?0g z>$xV#U}q-W$4R7T8}vEjum1o&xdP(A1r$K>UIher;`s@<+m1H57gGYTNN!>1xOF#^ zac!}@3x8IK5AY*;cLU_d89Cu&hW^hkCj-_zf`N0~@&F76#mDcBAqE8^iYtf)TXmz?$hUbD6aZh#PWXsghyo2Xz{}t@@IJT%z6ec* z;-Q65BlKnH56PC+r1R3}(pS=T=@;pSv?cGBd*sLD{qn3_mQTs=$REpBm@=f_~ zrB4}Arj_FgQyR({<$`ii`AFGNt}5RuKPy{muR5eYp~lpVI{*{VtphFNRNs z&xU`GbZed3fR@&L?RD)f?LF;7?TYq|c3s=lw)EZlpq|u;eo}u!e_P)$CJbtvGASn%_)-%u4+ax!Y#P&;=!+&i)CV7I^ugPMrcY|xSkLU1W*+98Gyi=5 z_kI6&Zf9<1w#ZX6rE;Y_Tb-Lb%QP~*V)RdSuBusI+tg99p`MzrE@I@|a;@pDcTDSM2JlX&uv!X%mAQco;jpevrSHm`Pz+?u?c4 zlo;5y;5iv5tEVlGx;~y@)++1@M>dRI zVFxbueB0f?b?VZgp`l`t_pfQaa8K^kn(Zn@{+TQjX2G1$3pu52UrlQZbz#FLOMU~H zGkFs3Nrw-XPSPb3nEv#b-vra(=q`!%igS?cTc5YJ;i z^|+RrmTnq{gZoBSLWA%mS);`hL|>hq;P&!Acl#yy$7S6~$+TP$w1!Asq-{H?hFF-PTz(n66 z3mJ$aN05+&W!>fr_xSFg$Rmnh0%P2oT2=mbaxYW`%$VXtV(@jiV zpXs(4m|VsR${`lQh@A~Ej2uL5?O{l@^uix%7Dl6eP>xlPRT?~XPKG;|r|ZnJu}Su@ zYFhgw(^+7JUSflJj%~3;X4={#50EaTy5M)^c&t3m+t;ZNTgn7nPaJ~TXf6y$v%wx> zgB|oFk3+v|?<=2Pb4=dAUqWM?p~*Sxf&|~E2Dri_yu}D`_?`ZUB*44T&qKIz*A5eF zQ0#EQWF@rmXv)bnG7+qyDddRV94Fw0GKA3@x67W`DhgcIh)4Uh zwZ{(=-4BS#Hi-}ERCn)EV={!3vk_yBjm}5oA{`C!2NLO{50%EOz~nqCVM=&N7{AKt zY`mPOp2PD%cXncm5U+$)baQA3K8rsJbIB**MoaZPilGg34qZfVqIb|WbPN3^h{6G3 zRCrpL7ntyxa7nl#d?EZI3Sva;7e~Y?(GWMqZSjiuk$6?SCjKPNNuNqLq_3r$(m&FF za#C)S`{ZMCPCg|UO*9(qiH<}! zqTA6sF(uX+8;-pZ+l~DY&&E&1FUH@C|CpFcloK?umAKXNbMo!vC&{nWjM}H3P)q8n h`m(yMeyCnoe^vid|4kiC^`!^XkEiwYTd=F){{fA&mplLf delta 1433 zcmZXTU2GIp7>3XMEc@5p8K|WqRu4h}p_WuZjgi3GmK0LkW_R1&?GMZ8%<1kavoqt& znZ~UqBwTo*H`H@MLO{YDL1O~-0uoT-jl>8B6HQ3)2NM%DQNop)kmxtFR7uQaGc#wt z^PcB@zi;ntxVPaL=^2_Rl`E4|(=!LFhsdm9(z#ll%^$YPIn%_P)cjJO5)(UiRew@^ zBCp%hhv%3@$8)Z0HLLogg*x#lZaRU7eeQToT&EuG?d=tJ+ovAK z!^}Qh)gK#oEr*!Y#C_OxeBOh*Ei+Q}#k5iuOxi5oQiHWsU4O7YDg%a>s`^&3SLzbK zDe0w?cvoqF&XK_4Ga&`DYnXbT<5h})L288A#aD=NcskFFI_`IDPHkS*JHbWg*hD|E z4Qf?&t;K+Y2Ta8xc!sL~F}8eH^)(|7CJTgFWY(hCXPiQLcSx1*0YhOpRlU7H7AQ77 zGRGfc@92AYY30Picz(DtXflq+AdG*l42D*gE^mxa6sScFE*9lY*_l_V$p{{GIdg1Z zJT9#hyCuA)5(bM$NP`wf=<8q-FP-ibca`L!gL%pW&&J$|IL3>NTXZ5%8_ohP4KTmK ze1B@(H3_FtccxppK$g(MgRK|rx6-ZZtM^fE)We`7-(j0C%iVZ#7~0v|GS!lfw95UU zT7#JoqjJaQVi<{|Ybb|IL{NZgl7cXzh$Ds!RF9sh=!$oW+ll>|IjD1y6@HTx@or+z z^7ko4N>!qXFkt3HGrmO}Nan3XjJu%aT|joGaL&Og9pT7i-ea4VWmzv71vhf)^>~lMPP@aVUzi;W3yRi zi4)q4IFsBXsP=+58tYaZeY-dlZx=gO^>@sp0t8~g&j11nXD>nw-z8t$*+8Snjpzd4 zV?ft{?k(&tb&_;qz_o%h29DU0}9@ zEwUmI%}ZcK`IxZNg+1PXK;=C3U1&TNG_^fh2}7ZaFceoZ+a3YA0>#7(jL>)Bv2a?B zrAFIXq-KC656tz3m-s8weWdbWTv+)3X|;I;Bl1xy5NiQ4M+wwKN738p19SmhmxiP< zXE#hOFkl>lRuZgl7EnYmG8>;m98ovBZIf+FZ5K1EGn+HV tGZ!+~vRZaqc6atf_QUK)+3VSFG)YTqJGCM0xOPtaQq^v0cg0N|{{zrbz~%q| diff --git a/WordPress/WordPressShareExtension/ru.lproj/Localizable.strings b/WordPress/WordPressShareExtension/ru.lproj/Localizable.strings index 7127f8bc20ecb8cbd48b441f7f05328a54213025..a5cbfd5b9f5add07297ef57f7616ac2b314f95c5 100644 GIT binary patch delta 1251 zcmX|$l))_pQlVTemlnActrixt7Z%usb=djXoiglfc4nKd zM$ng<=mVNlqYtKUH1U=+iixq+#J;GBP1*;Zt1rfwXk*l9QX-z&MKcdy=FB<&|L=dk z*$M50-bjr`qOtf~Vt!$9A(>iQPCu`#WK_DE&1sj`^s}+3a+#(gS|%q?7bITEGm5O=UGAarX=7aDGcdEHA znp28YE*qtyY+6RKEazyEc6N5gV(6cinqZ&QOI5pt7=Bi=ik62I+XNFr?PF=F*3KoX zMP=2hC?m-b?DHp%C(hGVrKDT&u|h#FC*uWGv1kP>8jnoD9%*^=?u$@n=T9uz3|c-b z(_+ym#=`W9^?zy7E~OY8EvyOIiw47blkv7P(+ANDeFOG&Zhe))uF5y*Por%M(gILv`7#GR;+A=O+-p zE{pp~R`043BynCd*EQ3Gzt~bRRqd>*q$TNK@$e4c%%`Omm?n)!|GPMiG?NiBNk&N* zIY$P_IGKXSy@T+bul-P#gh(IOhpTl%It>rqQTV{)g=SYB`2Ew66dHL$YQ*{wo(-_+ zYk|8$03;uQ8nLxujWnV32ziF|lQCPIkux|pg{&Jg+Mk6RbLC&JxFdA0# zgtZF60G9jhfUp=id4!2G5oU_%z@9$DLo@@W9=eCYmThzV4%eJpaNiSx>*8{)MuOPb zTag_hJ$Mem_x=vVJ47y$ZhRkwTY*#Xp10-nB~ph@GYB$<&qV}5cuE>k;Ee6IcAzzi zpl49$HT)fNr;Ins>C3cQ(Bpbl-E|`@X>va_F#Q9 zgezN9?>P3IPdXLn73a6kpItMqoNLSVxjW=ubW``o?p@De&r_b4 zJ&(MHy{+C0-lX@YZ` delta 1271 zcmZXSS!^3c7{~XR^|khTlQeNc8#;+eLzFbcIocewjgzJ-kfz2*5+{z`jXklq+3Z^0 zbyU+z0Ujz*gdqJ8PZfxVD&ly6QgNt7@CH=e5<-=DXeAyHqRI;uNJJ`QJ1vn|X|%Jm z-~8wI|9^AUf7Sm=B5*7miN=mk&&<`WCa)G1{#ogquvoO*g$n+;|%*iy3QOqeJc zZ0IR@FMP%|wFmH$s*zYQpVvw$xiOMc3IvyoVgZ|$Q7GXYDUj~&Zn({z4a|g!i<)ZY z=AY0_Qn2u(sxPPHhhllnP%^?Y;iVZ1Q-rip+qYT3- z`B4~Uo8b;Gu3y3fGe^miQq-)4GKH#VF)0*`LOe<_l&qra(J>{xoCvGw93D4xi|AHL z_E8tU(Db;Xr-_!5y;TNW+-8bKsb^aCKgO!>lw3PyU}aTNHDysF*iZ z98OBEizurEX9~)awS&Druyg7DiIG@%GCq+}EgYg@Jg_oRwz7WRZ=a43jifDjhI>R> zI6*S1f=}ix)zD4Y!#2So7T3nh!Qv@pg+!;w8EO)*zu|*T-gzn+CRVYaW6P*;#GaUQPo^gO>;h$&nOnDbSF{Gg=R^6n5=$avzl&7t~o}mbgmq9#do>Q*SR)4 zH%Z%B-7;U5u4v7UQ`IcJ6L6BNZ;h5C(a|n+7zI!d>P3TS3{5f^J&p$GY#0rKVsB#G zASoV!PPOe$8Z+;sca8jsH6pVq}|XV zV%LA1uqFjAN}aGEMj%hczL%Q4S%lFzJ-D3SFzSI_uFf?TwNSwcy4G_)O~%2LnCF=b z%)87L<{S1n8)6e|iT#27i_^F@?rrV{_ak?U`<>h5w)h6VnSYG$=co8I|04e;{|Wyo z{{{aO|2Kb+G6v9-=rpoW30*?(p!d6TSAM_B@C_!L19{$7tRPT3%>}P zwte>9_I`WJ{;H$Jao%~&`G+g!`q1^A>rc@qwu*7_HE~1yR=nw!-6QUE?vLCz+;=^5 z9^$zrd89$<1?hF^EosZ^_a5+0c$3~W??vx5@2~QZ9FkY$bMgjLc{sNEW>y%uT;u&0 DaO!VL diff --git a/WordPress/WordPressShareExtension/sk.lproj/Localizable.strings b/WordPress/WordPressShareExtension/sk.lproj/Localizable.strings index 18454b0a2dab3de9627cf66bb3dc2f5446b72bad..953743603d9304afaab92cadbec7746f5f15c313 100644 GIT binary patch delta 1230 zcmX|q!csSFn)am0Cao=7qLg4oA*S(~Znk^LZIdpOowK_qJDFK# zX47s0X#=G`2yNw$SWx;{C00aQQL$k0rB5Px$g8#}B}L+k4@!;Jv%Ar!VgB=-@BjP0 zGnaZV^+8Dy3};1M|I|sl;yY+X}V}FQCJrUY>K`9 zsbO6wu2yznN7%QopvH1F!_suBlR;AB`eXcAVg`jlX|HcGO*NfZCcG(;Q2q_mp|(rL zm|2Al+#j1v)#nZ7RL-WUTenT(S}g}iiZNIdj`nnBDw<76!>ZfFaV@(+D%7TlL?WBz z`wQwpcq;8x+v}#Y{Igcpmo6=>k8zPTm?Gs}e9wq<9N^t}83XtX&hs02P0Vi)3u z-pcLdvdlH;+-a&ajf~e^W|_`Jh8nc!7SxVcsavcx{T${}hi56Mk#=#UzFXvUvmlbx z7HRestyrBI{W>+m;XBK`pM3kST0tgHF=vrE4*Y@ZvDvn= z?NU(H-QwZ8*drFyIGmQcqyJr83FVN1EWC;s{21th^-wq9$R6AWYvC7_K}3*)o}hVT zAseLN=mULEFeh8m9cDi8Mqk^)MHw;H0+; z&iJOI49%b=M4Mu?z$FY**a#niTft#`f-7_Iav%oV@{m&EN^Zd|tEd52w4e3anG^5&_ zOl#J`&|6&Ra^^DnosSvPpi}L+z3%J4(FK%l>9$)pqoD*!z}Noc@HWT#HApWYA17Hw z@1Xb4hv+W)32k8k@5d+bOLz`5d=uP+!X&5|B*scR2q<8kVd4}rHnK$G0B!zrOVP^vQO@kpO^D;MP8F{$e+tQ zo{T4NdOqD@J|A8*_MXgXIA17|QdyrI)->p#f;|z(NQ0)4Rrk`*`Odxw%o81_hAS1l zo>g}zipavSZdNU5JEm2KMQq`LfdP7pKO32dRcCc#7c(ae8(R(>BStx^-j}NACepA5 zBd}uHPCx9?HCNT9Gr}Y#TrYiDtafBob*tYkV+=!C^+Eas*G2CLfu##@aN;P=qpI$l zYETfP0I_A6)>M*VpaLRB@(9Y6XW}GRgd?WmV8h9(A?6|!OOGHUhxM$gG#OxZiz%68 zo>|rZ7@NMcYJ1d#sD_A+W_1j0;$T+Z)1Zp?GeeDVvg(cms$r;EDDP}z-xb;Z>fap` zsrcB`F^xDd#=`i|%CUx(r7K}?I)QbZbLc$ZEuT7xHG<%H#UZ9))BCwjdWeJVQ;lF@ z6wTpe6hF&M!lgGubVKkxeL9Yvs%1dObU9K<;^;UX$8%;4PaGxo9I@?8s-htWyVIFz z=EAaMGd$f~K)ac4R&9F{JGo*bXxDdR%vbmxI6cP3*=)%)rCqJb5vE#TXM&FNyI`^r z$sC9Q3lN|I#9;uzJTTZ(5R^fk`n-GC;Ggjf(QiEM!91%pL6tiP2#4uv%fXf2fWRFf zU>ei_W+E7rSTp;mgEY{A*{o!mCQ~m11m;b(i@xXSp>O#@bbsqr`kFVh^1j^0(HqJ` z+#uU&fQD3=js^$lWoa~1a@jEJt}zXrZD4?(*#Vi>2-cB7Fw7O}v+T?(F|%B?;k;Qv zdc{NO5kh-W84AZ})6zffcI+$gOEJ?b@U#8Co`{y6N55k&Ys*LTm!YSq?VyVX%tA;cj0d_ zEJnnq#FFTUb@76DQM@dEB3=`}62BMM#ZBn}sb6|b8kW*hW~Pieeu`8oh`XL=d4AX+cq>U=e?oxRvUrMNKy8jcyQ0IOcmJ}HZ9kN4z=titYRCFjErQnoWHE~v)giy z)}fov@@rH<#AGF*pCy#8on@`7wHMTFv`X8^T*;&CwlsKe;W%DJu0eC-jfT-&$Tf6C zaa&j>mrk-n2hwoC>A|2zPyKUrr%OE&|>NtB0t*o6$ za(np%?_EkDa|IjF>1fJ#j>QBQzpKLiS?FZdUZilGICbJU>@UHMmO7msl(MF68_(X5 z_DE$d#!_-$_)c)Sw2Nw(y&dRd6*zdtO zJE)TG(j2nUMx};ZbcGYkh*J^vY4|=abC@G1*o8EH4aDfSQ@C$GN0g#_DKM{b|z#K2yU;|V@jTdxK<&A_LiNxY% zZAT886=biuX#3wF^*WdU_4Wt^$?bs}N8?X1wQQq?Q>E;a$ZjS^4(~6Fo36oaDo*o& zdA_97%3|9`bAF2ZiMeyN50-phf&CQjV-^4XLJ!w}h_5>OKNEMJ20qXPr@%|#HSi|5 z0=@@73!-q3@UU=1SQLnGR(M@FFMKTgC<>xS+%FyyXGLAy5Z@Bdix%dCapo z>)G^N^ZeoM_Uhh~-Y>jgd%yDqebo1v?<+s_AMhvruK!{n8W;==2XcY;f@ea>(3#NL s&^KzoI;4)PMfDl=RrQkkk$OEG3f~>>3m*tS6geEpN1l&dX8&mLUorcHQUCw| delta 1254 zcmZWpYiJxr9N%Z|y}M15rl|&}Nv>^5Og(JDSZYnvgw$Np%e~WFa!zh1w{zLsJ$Gk= zSHXg);Hx%{g2jULn^dvBJ}9K>mm-J-pQzs|D2lJ5ASzbs+(Rk&VL$x$|N1><=5+t* z{!{g?{Ftr-0?TeLiJ%T_tEk;X-w}Fu#=r_TQD&@GGwVfdYs!EQ0(IMSfJ>3M4EEhQh#Idzn)V5`6rVVwZgBYmUE*S<NRYGP_Q(G8-*T$4iGtR8)e;8Z5i(2Qb4d5EYCR{cV za4|uwJla5&9A<1=kIF=Y%KFBD zFPlOpDiL~I7*rN#kd7fZS|ixDTzVtlOAqj%bG{)gn1xl8o<;XEl3@M$9(qL#+`W`U z#B(e_>?V#(8WR&`lc;L1q1<8YR>-=Qs4(df))dFOQ9*QfV30l%x=3B$-0OQ4A5XLD z9vbmudQLtPDI}l+kC!W`SsD-T-#nkhHOF3KTk|u^4y?Hbp-}Fla~%hxxiQN#*#hQj z23Te2ta`A0C~-A6(FS>{;~>54yP1zMpmQ{=ZK7Uals=^HqxZ{E`eb;V{w7b;u}Cj{ zIe>4dax4|b_b@3fea5YgBq6wSF_AR&ot9h_#QMr#WX=ISE0kfA-Z4fqn|`ZX+9Da zZEd(MtVW*;cFR>R!P)c{U)NT!qtNJW>uKeuTQ*@D4-B2iBt2L`oS&<64{(oiFLAGN zm-s0@!58>C{}KPYUiF?Go;;dK_9}~}tZ;2Pg_r%Y{ zKg4U&fE1JNk}49B>e3nMMd?-PP3c|f1L;fYJL#&tT^^QilgH$&ydYQPC*-f?(vKaZ zKF!zT8}v>3L;j@z3Op6~D>xZU1y2T_4W12d1pf}np>3i5P%-p)=$G)W@M8GE@Wn`H wWGM1<QOoKwVZZs9&hxs6Vp@;7<+w1M?1+^Z)<= diff --git a/WordPress/WordPressShareExtension/sv.lproj/Localizable.strings b/WordPress/WordPressShareExtension/sv.lproj/Localizable.strings index 17d6f768200e5eb0b438fbfa0b8c50fd72942e82..e6d93402ea19c3cbdf6c5a12c689e3b9e71f1ba6 100644 GIT binary patch delta 1252 zcmY*WOKclO7@mFj{n{u3=K*BWJW7=+5DJKdwkUN1E#%Sq?b^vQ_KxkX*SltS9L23@ z;KBh8CHe(LDr%)3dZ2KjJrvOcq6ZGB2qcPn3m}TPp@>5fRD`iz5X|M*{PWNMy~@DC5`y9vzmq(sW@;?92iiQXsTgYM57v>!VNyZm)EjxP?(bYy_q;A8n#S$QO3di z5!0bI!wb4ugKvcKXy$0MXy{ILHBMR6HZik08(>L_!t3J1a9^TIY>Hb})5Z?7>=v$4 zn@&znCX*arRfb?k?pL~Sxg>uk6{4F^5QZS;>U~gEdfU3NW|K1OZ01a6U`HB#Br`|L zq-n6!Y@=bc@~MVK80`>Cq~Z&3PafO6c?w!Wc66o9K{qRy+O}mUm*_hCw>95xsS1XV z#OTJDp>=dSsie*fy0S<$o#5pL(=F3UC#XS7OjUZGr>s2gYUuh|$U-&f)O;8=+!dP9 zLU*#eMOBph#>0Eku%s$uuqZzq`X{(lqCspB0()T~G~~@B2`*YTgLQujrb914-nB=v zlu`IPa+ud$pn3-3c3{F2K?&4A1h#z-^kO_-MhoaC~>e9lBQxaeK<=Q_kn)Fv<-nE)a9oG=Bm!DFCAdO>ne`*ZV5uTjRR4Vx|% ze)LD7;5i0GTQN5O7YS_8b@b{BKyBA zl05zyxEZOye)kSs_S_BT=cr+Fmt`+ST!&(<6-MwaC;+gVDbvUT> z2PpTJb!@7@uiouIzB@$uf7tRp4POQ4;b3rO19?#koknk=chLLjI@&_N2%_+i@RV>s zSP^vLjBr-CBz!9TEDEAqd{lfwToyI)qQ{Kn!>SX0RU8LXFU=(CyGxXgl;r rcu%+xu7}scuZ7Qq-wj^~Ukl%eT#bAd`AwNYog)g}${qdRQO^Di<6wns delta 1316 zcmZXSU1%It7>3XMWp`(@JClSqjaoe+No#0`u1&@MVobIsx=q6VZ+DZ)*`2eylby^g zGiR5sq7fCrdZFQ5c#&e!E3tywD=QTX6$EK66fAfbrGf|&y=eWR5YO&Z33%pWW)9!^ zzW06JLxZX9JE`lCpo*J`W28gd($t6O7yQ7% z2rL^WPEFS9W=m7|C9255uw^$K=n~s$!76s}`1m;efqy=dS!fhZ!>#6LEf+fk#tf^b zsrRMorj2y0!w9U~E*XO(rrzo5(t?ns26uqICN}nJs(SByr;KShrl}9pC%OIfS0T85 z0UpUr<1%WPWU;NnuqqHcj_u@nc`WMnu$SPq| zQx#7GY~0h7Oft``>VFzN-OUvVL{Qmrh_4mk5219}X{`!McIqe4QA!<OyQ3qOG>D1QalC3bac0_ZR}I(A zr|LQ)xRXx7LNAh0lPOt0~>sn!V zg3j}Mq+}Zjo$neAl|c;L0xp1{4t}Ed2eh6lNCE?x?70P2*)F0t{l}>l+>vvg8&JXy zq8q*eN(1xM?!HYg`_9no;os>sZ=phGyxG6qv{+2(onK==o`ET1=E%#%2wi z26uqNX5IlcHrD_ZfPs}w8m3u9HM%T~al`b%z>F_F*(^FOLPx`g*;PCq?vdVtk~)l>vWKsvewJ4S0^xJvL+TH zMw80ELBUoZWhF=HhW|kCc(p^rV!AAVn0t%XLsc5^ABv~rjiO`JGD!rBwnH#T0K#Ti zpkjd(qf`evJ3*KehrMBk9_y3$EMTXdp!W@Rj|KfZ6yY9YvlH~AK#!b@A)TRW$9OS3 z5Xe63*VKx8eIs3QjfKWKrM!Fli@xC}PA8E%0qa4qf|?hoGN*Z2?kulaBJE&dmN zo4+gU74{2{2ou7bP!iq{-W9G0p9^0J-wA&TJK~TS5uXuPL?X7t3*sg56Y*2=ns`I} zUi?|SD-B9x(i768l$P?+tJ1pkTh|)bb;5Vt7xfio&`Y7$!@c3*a5VgW_)7RoWl)JJ2_>(Tl~7%Q7>0Mo`|F13Muj-BgF9(zQV30(mcO*L#IX|+>il4@<0N)sHr}zlinD9& zuA`)gR$M@+RiPSDRH;JZKre6sRS1cy2ZY3_swx$3s6t2)r=F3h3ge$zX;mQ(tI^JU z^M3F5KC|7m-Sx@X(rY8fj=z3FI{C)vuIN}SK0fj0+}p{NmY&Zn z99Ue+=9X9Thu_KTs|AB-DSd-GkrUr3nVmHU;2 zs9|7FFS+zS3{u`9rbTmLFO3O%=y|!D^2)w&CQgcat>UGl)oNuco30wVM;b0t z>12Z5=OY(yzDuj(Lf>+|p=p&caU9#xX2_=3-WsoO(Q``w*|cVQ6|y`{3{%ImRnN37 zcRocbq~PV%&I#fb%5@Fb^oYyM=GEQJWN@vO)M7mWJfp7@ZA>q$EhSif>;|h{iRo5> zRIuChG2i@Mh%v(@Hh;FxV)sVVd?s$X>!$0{dtxn+YgRT@@~YZOmR^?oe0eoO=agqp zJ|t5_K{SkdPyoGxz$4VxP!s_)h2jXJQPhuKMU&_tl2%a!1zQgwLLb2H|HeMjSw=DR z0=pYQFCmF3ChEAuC8pVn_OTverak#&>d({ngyUT%3Naf;STR6H**A<>%LZ<-^|~H| z+_4ku4x|HZehs7qJ<}K|jzaB&HrPW&G{`y)u;HiB!AJQ%2`p9Rr^EhMNbOOJ%xktq4u6LKfd5;Ng^+Mm$O>hlCZx{`7lm(xJHkCt7W>4gm=rg~55-I3 zSK_Zyr?g+1kP6bKbV2%7x*`1`ugKrYKgqY`-xN-HN(m{4l&GR9x^i0iNV%kZ=@0q` M{Kx!BIHWTmIUb5b`cE=GG zLPZ=nP=s2|l}kASLMo?%R76jp3RD#dBm@Y!RE0y!tsE-BtX(3+<5G?@n)zSfwf<}U zXJ$`w{891AW5=I*`k7~E;< z+9^+)cr|XCkf5qx%wS|f*D>@ldPy0gGm1Q(k2e~2%g_h2HRNH~a+@CXiR-ms4SRTU za+3bUzjR-5rMY8Ueyx;reC!dJvYcJIsEpBVwLmTI5PeN-_8Yo>=NW9cK4C`34E-VI z)Jv1nJ@lra(X$eqF3#f$YT9HoaI~B%#GdDRYdL0#s>pJ3v#7kgk+I4(IOjS9JH*fj zn99ItVGcQEY#VxatmDvZ*e)`$nai-cnp8=~Vf>|P57foW97xio%}(C^jA_ErXyrsqK7w!`Lg7O`<5gX``dF3wwi-SYiX zzF{JQ+k0+w+Ob90>RX)y^gA0F`hi7E%C%swcBKH!$4V5gr`Q0UFQtxjTWfWWsa6?9 zy3F^fxuEf1pwqAA;{n$0DwqKyU;@O!D2RXrjmy0>p&Yyms)zS?YtyU%4n#o=41;-a z|G%*ut1w%R*+;+Qmzul<#E2#9X}jc5fNW)&Y~E=h1?hcy}gzc?w!8ft}J4ZR+EFZ4m^3ogN}a2s5UyUN|-ZT=Mh4u6^dlK+wag}=$)7W##Q z!Xv_zkQU0qY2lpkp>R?7RQO8xP551mh%xbm_<~5pmiU(Vu6SO&Abui#E`B3k7jH}B z(!auF8Z>Vpp wAE{T>A2eP&q)ll{T3vfZJFUI1UDPgXSF~@n>)NewSNPFzGQ1kD)5R|M2j$#*e*gdg diff --git a/WordPress/WordPressShareExtension/tr.lproj/Localizable.strings b/WordPress/WordPressShareExtension/tr.lproj/Localizable.strings index 996678c100c11129b625de502440d0d72ef92dc9..9c9646da1e1656aca3e9587d05a71cb4fc33e864 100644 GIT binary patch delta 1236 zcmX|9ZD<@t7@paW``+8FF}Ws9dvhk&7__0W6j2E!xkk-rA$0MEnsdi2jf&C{_yr6~PD!`6m<+tcVEyQNduHyQ}>%Gt9it`@HY- zyt5PAiM@uO%4Bo-+)AOix~87T>m`kpD^>kM%}6cd4N^?%r7B8Trb|pWKdtF5TCyBB zlO%O(gV1+5MECh2e{NFKkc%r0J>UigR3(yb7#7xuhQ?8Y;U8sZSvLqB7y5nKB*7Z8 zOgbx|P+`V&i0z_z-K^2?;PFUyskv_GPIWCw+@@_J*Xl6PMLt3=agW3fFITZmP|IrC z$Z;*Zg{s6RV`F2f6sxZ)QF>SCSGwi$DHg^Rtedn5qckD*^r=cuTNl!7Ty{Imtdl3{ zU4Hmj_ADvmrs1Y18x5mXNH;X>l1^jG>Et{;5aL(%UZ5?Q8(wYqpqmv$Y}>L^i{yFt z{?l~(NmUSipNnk84XvZwNvCwzAgc>R(=j^NaCOUcGRwpuC0A7rJx$zFwaw?~E^(L^ zRgt^Kq2@g!^KFCBBCeCv6fV_P=9#@LgJIVa*enqPIo+Nz-D@tvnm=4&{uH{i>Ili6 z)t$QTIP@>rj1;@bE{m!t_l&1+@G)Lh;&eecn*D!pnK|6jh+79MfB+LzfX;Tr_B-ru zv$JM`JiuTRj)N9k2x#B{Y<9o~AZ0Mef(Fo7$hMRi-IIpsU?3`5$_X$|{l44-O!Bm= z*9f!8))A?(&+>NQaViC;>5Mc=>tY1!r*6AuojqaN6OPfP z;3;^VffMxGfS-OZPDuIt+?Fy#mEc4>BCn-L&Biv;h)G)Pll<+lg?X4(frgVA~i747l^mtou1I!uwCdWP6^Og=_;!tn)#11ADgfti3E yxD|9mXF}&g)zAl_&qF_jewBD>SUMw}l~n1nbVa%*-IBft{~$y8q^#1H6!af|v2_Ii delta 1301 zcmZXSU1%It7>3XM?eEOav@zYpCU~}St6)rAZB>+@X&TceFu~$+5f!uVyFjJhJn^zamVoAg0%96fZHS)un23=Hfrc)Sc&@xr!E^?Ob zz9#|8x`DI9^}5kim9F#>vN3F04I4VHWjEmxw(-Eg0Qr@DE-{^KEE>AAR6J-p*mmKh zZdO(0&TQSVkcKswfOX4p`(fPBTB;72+w;5n#iz$<#o@v+r7~8&8W&4x`(F)QHv}j=H=q{%1agQq1PYrqDs7gl~tzf9x zsO;Xx-kG?4>*kH=Y-+MFs_8CF(lBmW8TG8JpXu}G(%8Tympsef9hrL?YdV65>aK2? z4(VaK$q)m#7rbEM6sqCO6keq!;rg3Va-9n<%%`y1uubS%EsktPcMY6N;hMFAr}yhl zO?RAPwyq%;x27}O&V^=4XE@(3pwmuQRkl5a-O`d5bj!Cl<}+*@&P>vAwvQCs(k-q0 z2vx1nH$e`uozaXJ3C(-d)vK67*gC{j1Ha~{0||`zbJ=F4VIZ;+7$RpwpU4$Z00=ah z1gHT6ATsXnCDGs*SqWeC4}v(|)5u>!{^PHuZiaC3AiEooqy8SUCi}>75t3RU%*JkR z?dsBiz6^3y(FV?zE>#64c|wd0&S!AdMmE&2iJSD*j8V86m;o4=paOKdLb_h1wN3w3 zQuI9%#>@kt4qU2X5Kf9og2ZulP}NIoc7N)O18!(t~n8SEnu%J-8a zLNEDUnDduFn(AI9=Yv)9r5Gn0zWaDf>28xJWsw>QQuBBCbqZdik_+N9WWyipD}#Li zF)A=d3W}4)TT+C8f|d@^d6kkQ67^#GOo>bOnb!)txmO@g}I! zW1dkRG=W784tO7VU5W?t6YcqtVz7TLH-VZOc0qu)9Rn|e_rXWtJLUkBWM-Kr^F8x7 zYp`qVyX*z_GW!dAjlIrpayz(QZjjrrge749VWIrjzk4Y$Gl!~M(m@dE9aw0Tf&f zo(|p!JswJi4u_r(y%>5c^ke8smH0j2L)`eB1s91?f>u~0Nlz0ODb<1&)CzqNG`9Gl4|z$!NK*`Wi4PS8r6NLwgvL2Lt<1yB`RDt; z+o{x7>gVOB2jhvM#Bg$CbS!m3R#Xj*r!)G*WHuI+Poj~Cu4Z75k+)FZ8tT<_3m!L2 zYcPUx#z}-fW*}Z?J3WbRO@o%4Ht{yo+?G%cfO!wf1SzuzB=Ir=H79q({Wk}Ee9bAHQdSBRm~;z7@+Au1M) zVl0SGTmO%G$tWd3{3+8g>&uJzECVCw6jcKQ! zqAEqZY;c(hZ?ZAISCh|@C@XfwMWtO-F1QUMB1uMn&u)sFs+XZV(m z^rRa15jrx4U3%OXycK+4HaxWvtXbmATRYA8GH3+qcVTqyuKFQHLZC&7u8pzU+>ODX z$Pz-E(c2~8)J9?1km~RcpbZeYp}^Z-{2t%LE5rpp#dnHo`Od=i@;dei-rA}z;c<0w z4cLoMf!1c_!uRD5l(BOqpEmvvx0y!qKO}VEFZpil7Y=!}@QcAu7Mseq@hb3l zITDqMHheY|o%d91W!|Iwu9IA^e;&O_d{KV#;EQ72VT~}x9<={bi2tgKxtGJpMQG8R zxwi0FVU;oju7c);)FALo<&2|mrM z1-`_;%dha?^0x#*s26;~v%*oq7G{Jq!dc;}a6{M-wnbL-iHF39Xo!|*i?4|viGP4j pa1aE*Fi3$6$bnY?2Is*=a0M)bufR886|8v8S81 z`ig9L%mreq2D{rb87&_b>ir2Z3qfAbWr1Pp**r+VEOa`Z=ohl!3U%cqO*InX!)XI% zP0*>PlTo3uJEQ5M0u|r_8Qm~jfkRVDss@TsJxH}Rqc`bXZB!7}`%7gO!}C$01-)cz zLU*Yx)LAa- zx`ORuT83Iw*j{D;xpk&M!18QW{g1KiJ1SJUbs!FjswPSr1cquttK5O9e65xt98OfI z_KQOhC|NOPZep)-Z9dwV=n@6b!iGG0P+vzf^~oDgMZS51P4b8kl;CqdTCQ8Vvei zN*{uu1FDfy4I|v0QA87#wi7AmVr6OVaG?AFjB>hBVaFk8$_X5F$v0l}4blPnI<0k< zTf$}Ol2%W9;go)aHGcM^9k+wXMaK z(L!d%y@b)8CY8Q-JpM6$Dj!eEp%yHKn?ZB3jD>aa!Ny<(rxd8n-$SjO)1zQ#>*P~Y zQhs$(k-WzFyGra&_%W_5iDI{e6F&-m#p$Sc*s0I`cd)tgoi0?BR&;?CMoMj?C%kaI z4GUvA>3G5SL|Jov51?7X%mhc|i8qL|#5Lkm;+Cz$)@6&>^0qnK3aODJWU#GvO zXXyp{SNZ|7i)m$^W7?P?6J`|VD07jy#9U`q?S!4TJMGXu$x>`R+s4M&Bx|w-_9T0T zoo27FpRqISkL(gx!8y47+(9nO9pxstce!iaH{2{Y$NkMyJjYk^Rs6&J<9y{a{2@NY PALmc=XZZ{0SOxeOK`-O^ diff --git a/WordPress/WordPressShareExtension/zh-Hant.lproj/Localizable.strings b/WordPress/WordPressShareExtension/zh-Hant.lproj/Localizable.strings index adaaad841a4c6937f7a9a7143bdeffe44faaf07c..ebc1999ac6652e3910e5f9566d4150846d4222e2 100644 GIT binary patch delta 1237 zcmZ9JZ)h839LMkfU23H_Vw?Wo6Z#jX-CCKTGUrSytF~$Lr%BqRP4DtNNv^r((z{F7 zbnWU;YS&KM`A`iqhA(8Gb5fj&VqdtuDToTnIuOKJ1R1^&R8ZKk-X&8|?#12xp6B=d zeZJq{a`kfchV*1892t#_MPuU=@kvQeK$J|Sm8pyx3`nym=2sGF;L)-s%9^8nP%*)< zW|$#An$~6!eun~hmu_)HPCy7uDP`b$RDFG1bdBUxO@au5ZjiI?KWx2|ii&VIQzwM| zNP|7duj15@vS{>Hi36GRbAQc#8rcn7e;<4asQ&v9F z@~%oo!o7+ytr!OWgUq{P<(p-dxG3Ha9v5jh9T(g1Ak)Shcz_ojns^|_6M*Q(Ij*r8qOHiKsk#L?HRD!yy%odP>>~o4 z-myFJhrGKfl}Us>s+alc;0ReWs?Onl=*8!d~&n&>QPw-G7< z@zX+6?d-zPNw|J9^u67TX54{a@|}zC&wq<6`9qDFaAyYkIq#LB$=R1spLdPuvLD&z z!82@&1NvTBO?rup+oEr4E`iK0tfb2zsTlua|NQY1+4g=tmV^eUTohLykw?S%PMG{1 zZP`qCk9Xnc9U|UhJ-D4a<|s|XhgaXi9|=dC*0ACL9DDVRn;UaQR^FHk+`>%`S3nv6 z_5W!=TQ2zEe0RcI;U$V>iD%v6LuG6jxHY|EyOHe=+0PXxpq;$kC2xMWc@CfFW}5!9 z&y?-Nb~H4&l-;k-;Ln5_i??Hm5QqYChFBvuiHpQGahte9Qe-1}lsra`lM1;`zD`~y zKP7*nNQ$F6sUB*Gg48^9iMmX^OMOgjQ+srb{(!zg@6fySpY&f$CF5i|n8z6pbCL-# zGNUj$bB0-F?y>^gz&^@G*-2Jmb@mi{k-g4FKWA@q1Xsm1a!0wRxD=;ydF}=73U`Cs z;eO_R<7@d2{xROihxjND`8ED4;Q`?xp+V>s`USrb7P7)wVO6*wyeYgbyeC`}wuS4C O9>;Nq*MV@d0{jhUW}PAc delta 1358 zcmZWnZA=?w9KYUs+1rhmF%aTY5rz?gnwc#cUyxy#VMl2T1zITAK2O_gj~?`{NO=jy zDPu50@!1S2&Y1Ygxddl4E@4qWk(e#fWg}T)=7`ZOCWd4#*^E=Xr$sZf+^75B|Nncv z>5}P^tWww73vZNCjxFY90SdI(nLu!D3w|+N?l#eN-~VJ zptLKm0i?GydA*irYwH1xdEY^)P}YGmqNth@(hx9I6ItukM3uYFGDN}&N<|)J1Ob>* zBIbSCOPu$Q{$=!Zy4!kMplSk_6~=#7T8Nc}l`5gjgESO2@fiK+&b}iEstRZyGF3fk z;0jwAe%1yGdq}WARtAw*Mx&NVu<$`C-eBwl{cdEYQ%PXzIUSu|)znaz8x86s$ahFJ z235oGcMd_tM7eeX`CP0ltq%M1FTlvB8z}~wbjd?r5(z}h-KXPa6ENa#%$CipzjF5YPn+ddAxWgyy2q$V7W93}5a**{VsGF758Sg%iRf_&ebl{2c!n{ze?$6-CF! zZj4OK#M+NcB`x4r`Nz5Zrh_lWS#EnzXi=JdB1eH6W$p0SSfO z`Mrd+Fd7h!9v*wX<4J!vTG=d5SjruIi8y(4zJcK4C9e8lC_8Gw6WV!u2O@}#^y%x_ zQTgYEOS6$i8uq^R?v?E5A{R}BeYH6#>lD=B3ckFUB;wsM<_yc*WNLg>mx^)}#rQp5 zlHvT7uIoAd@v_CXQ0C9KVd&Hkr;fwOZL~}-|5rLBCP@Ve!UOMk)`%OD$yOIo*f*8a zKy>D3kYEy|kegrZ&wV5%5Kd4NB3dbt%22OSv(zWlIqH(F)#kDVY#H14wmY;&PthOK z-_n=q8}zUA27Qm&!&EX2%zj2@!pt1=A#E{bBQST7zB1EL~Mh;N7|#k1lU;sx;+aYMW<{vrNt7wpCM V9hLU|cE3GtH|(SKV>nU({sDaU*Cqe} diff --git a/WordPress/WordPressTodayWidget/ar.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ar.lproj/Localizable.strings index f86f67577fe8ac3b62c7807b9bf0241187014e49..3716d622fa89b64a2eb0d8f83ee5a5dc516655ab 100644 GIT binary patch delta 88 zcmbQlIEm3JsURn_xWvHV3L_IU3o9EtN2pI`c4~1%SY~l%Nq$jrXjo=yd2xhuer|4R pUP*B}n<|?nn+}^go5n;dB_S;!$A!&{%?T)=#UUuJpf)j21pssr7VZE5 delta 88 zcmbQlIEm3JsURn_xWvHV3L_IU3o9EtM}%{JZf~XHY}zrwk%F81}qLN794`&3TpZ;kwp{x6ad&h86W@v delta 90 zcmZ3-xQ@{&sURn_xWvHV3L_IU3o9EtM}%{JZf6ad5c7~}u| diff --git a/WordPress/WordPressTodayWidget/cs.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/cs.lproj/Localizable.strings index d4410f5ee6563101b2147a122777b6f98d4afc9d..49aec54892dea9a8ed650eb5eb88b77bf4149f9b 100644 GIT binary patch delta 90 zcmdnMxPehWsURn_xWvHV3L_IU3o9EtN2pI`c4~1%SY~l%Nq$jrXjo=yd2xhuer|4R uUP-5=$mdPyhe{&KoWO delta 90 zcmdnMxPj3rsURn_xWvHV3L_IU3o9EtM}%{JZfXVtBS{xCUS)5stUsN0#mYG^!9O0awo12XVtBS{&h* zpOTrFl2{rMnOmNkQ(jpV>Ykrdo*wFvpO%)%At_58^TE}N-g3L6jxBwck-E-pa1~gmKi$$ delta 79 zcmZo*Y+$rbD#*z!E-^5;!pOwT!pg?Z65*Vmo12+~k)EPDa diff --git a/WordPress/WordPressTodayWidget/de.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/de.lproj/Localizable.strings index 5571a1f4c0333162ce8cfca7a249e5e851c0ecb8..f5068f098ac0d24f64745434f6cc326dac536a37 100644 GIT binary patch literal 139 zcmYc)$jK}&F)+Bo$i&RT%ErzS>XVtBS{xCUS)5stUsN0#mYG^!9O0awo121; z&XCHG#_)t82M9|T6c}}K>%D#*z!E-^5;!pOwT!pg?Z5#gMlo12>2%#BRp)`!r2LQJW5R3o- literal 84 zcmYc)$jK}&F)+Bo$i&P7!V%8-xw)x%CB+e8nZ=nU`9;N{VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQUF5S0J` diff --git a/WordPress/WordPressTodayWidget/en-CA.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/en-CA.lproj/Localizable.strings index d6d23c2c2aa387da47f2a7114c235be53d297e53..24d645ccc842d4b18cfe1d95b0fde99c6ebc010b 100644 GIT binary patch literal 84 zcmYc)$jK}&F)+Bo$i&P7!l6Ey*{Q`5VVT95CHY0gp<$V+<;4-s`MJ5Nc_qahg5nBl R3}C>>2%#BRp)`!r2LQJW5R3o- literal 84 zcmYc)$jK}&F)+Bo$i&P7!V%8-xw)x%CB+e8nZ=nU`9;N{VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQUF5S0J` diff --git a/WordPress/WordPressTodayWidget/en-GB.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/en-GB.lproj/Localizable.strings index d6d23c2c2aa387da47f2a7114c235be53d297e53..24d645ccc842d4b18cfe1d95b0fde99c6ebc010b 100644 GIT binary patch literal 84 zcmYc)$jK}&F)+Bo$i&P7!l6Ey*{Q`5VVT95CHY0gp<$V+<;4-s`MJ5Nc_qahg5nBl R3}C>>2%#BRp)`!r2LQJW5R3o- literal 84 zcmYc)$jK}&F)+Bo$i&P7!V%8-xw)x%CB+e8nZ=nU`9;N{VVSAr#i2f#*{Q`Gf>O$w R3}C>>2%#BRp)`!r2LQUF5S0J` diff --git a/WordPress/WordPressTodayWidget/es.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/es.lproj/Localizable.strings index 0d515c58e27fccd19c19b6520022672bb04848d9..6983d10d506f48f8d5efe06b26675e3d1111e687 100644 GIT binary patch literal 128 zcmYc)$jK}&F)+Bo$i&RT%ErzS>XVtBS{xCUS)5stUsN0#mYG^!9O0awo12;G7G>raa|ntnsOeicdozFmBO`=n;DpjJDjWc2 Cb|I($ literal 128 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{x0O z1xh9sW#$)0ffXd?m82GjLzu-8zNrf7rNt$Q9D-8Hn)=pmehgs1$OxesIH5F*3I_mo C8X>v> diff --git a/WordPress/WordPressTodayWidget/fr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/fr.lproj/Localizable.strings index 7b3f07f75cb27d0db46f8ccdf0babd62e0d23ee4..fe480a1615abc634bf80bc5138db814a7fbf848a 100644 GIT binary patch literal 129 zcmYc)$jK}&F)+Bo$i&RT%ErzS>XVtBS{xCUS)5stUsN0#mYG^!9O0awo12OoD6XKUZ{z0800xYV5SoD#O2eoK E0O7SCs{jB1 literal 129 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{wtF zP0TDxEsg}MNG&ZY4hbtwEly+bQjlawWXNR5Wk}@^lv38zw{i1k00Txw2+hC=rD0SA E05V1&v;Y7A diff --git a/WordPress/WordPressTodayWidget/he.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/he.lproj/Localizable.strings index ad53abec10f7af27be12f8a4bf53a24e61fe2bd6..3d565bcaff313999a6139f98f3a52bf6c6d68e6f 100644 GIT binary patch delta 96 zcmbQnIE~RRsURn_xWvHV3L_IU3o9EtN2pI`c4~1%SY~l%Nq$jrXjo=yd2xhuer|4R wUP*B}g97Uv)|){19Ek5uv{4dEV|~SXiS;V$MIe5~AtnqkvtXEkt0`aSfc1jZI3<|7wSZ@O1b0EIUAtkN^Mx diff --git a/WordPress/WordPressTodayWidget/hr.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/hr.lproj/Localizable.strings index beaaba3b89f6345c1e8ec75a12285b875ebf345b..1b46f535e020d2ebba1eb456519babc30830db53 100644 GIT binary patch literal 119 zcmYc)$jK}&F)+Bo$i&RT$jZhZ>XVtBS{xCUS)5stUsN0#mYG^!9O0awo1275UfO)Sdf5ENHX)3z>% delta 75 zcmXRfw@fO?$t*50Fu20V#LU9V#?BJqoS&PUnpaXB5tdn;S(0B=92%CHT3#ILlbM}b c9O<18l1wbhoTx9x!67K6tf_D5HZfcQ0IH-IDF6Tf diff --git a/WordPress/WordPressTodayWidget/hu.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/hu.lproj/Localizable.strings index 6e535ba178ab87936f00b53d3b8d48fbc2136e83..c15b010b2709035d45237f22375e891ec2b44c19 100644 GIT binary patch delta 69 zcmZ3$xPVbVsURn_xWvHV3L_IU3nMEVd#F!lc4~1%SY~l%Nq$jrXjo=yd2xhuer|4R YUPt<8 delta 69 zcmZ3$xPVbVsURn_xWvHV3L_IU3o9EtON4WNZfXVtBS{xCUS)5stUsN0#mYG^!9O0awo12XVtBS{yGR z=$#LePAt;RhBBf8QuESF^Ri0w(j&bgbYfmeaA|fThoF?QroOXZ1Opf_GD2tuPACnd FVgYOSBdY)a diff --git a/WordPress/WordPressTodayWidget/is.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/is.lproj/Localizable.strings index 77fe8d9ea4edac99a9cae19c06c19c7b7f9c2912..7d06ae1400619c842f28c46302e1b54b28077e57 100644 GIT binary patch literal 138 zcmYc)$jK}&F)+Bo$i&RT%ErzS>XVtBS{xCUS)5stUsN0#mYG^!9O0awo12EZc1hmhoHEE Vn!b}~2m=@}GD2tuPACnd5&?$WBNqSw literal 138 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{&n8 zl2MwTSe%-hl35hyo?2XzSrp}#lUh=enU|hel*!=3@RlK)A(5eoL4l!+A(P<)hoF?Q VroN4{9|IULGD2tuPACnd5&_?qBMtxn diff --git a/WordPress/WordPressTodayWidget/it.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/it.lproj/Localizable.strings index 96ff7c211b14a4ee7054c4fe60855250c8e46018..538674577e1806d3baa582581f3519cdb5b9de3a 100644 GIT binary patch literal 120 zcmYc)$jK}&F)+Bo$i&RT%ErzS>XVtBS{xCUS)5stUsN0#mYG^!9O0awo12XVtBS`3rT oi~`Fh0_8Kqz|7PTkOB@tDP>K43ui9|Fkoba&XVtBS{xCUS)5stUsN0#mYG^!9O0awo128I@M41t|ub4IUbNHaNi{D6XKUZ)WSl00xYV5SoD#O2a5$0BeaI A8UO$Q literal 118 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBTAX6A z+2EnUXM+>TU0R|34Xnu>8I@M41<3|3K$y!RD5b2aZ(;Ao00xYV5SoD#O2a5$0GDtb ADF6Tf diff --git a/WordPress/WordPressTodayWidget/ko.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ko.lproj/Localizable.strings index 6635c39bd7c3e695203ec9071a1723e68cd095a5..65772fbcb1de15f7da8ae452849b9d742af05f2a 100644 GIT binary patch delta 84 zcmd1H^Ghno$t*50Fu20V#LU9V#?BGylbM}b91)gToLQ1zR2&+XnOa^P;hdkFo0?Zr ooP47DsLQb_$$K<+TO6N|xc5WSX5n=V9D?EsYWilj4io(p0R81300000 delta 84 zcmd1H^Ghno$t*50Fu20V#LU9V#?BGpoS&PUnpaXB5tdn;S(0B=92%CHT3#ILlbM}b ooU~bZ9YgXS&D|EqCnWCukbI*1sLQb_9D-8Hn))Wzb`$*+0PTAp0{{R3 diff --git a/WordPress/WordPressTodayWidget/nb.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/nb.lproj/Localizable.strings index efdb31e863993cceff3846b3e825c9d923e957e9..fd78c051feac1709397b27b1ae96178f444192bf 100644 GIT binary patch delta 84 zcmZo=Y-Kb~D#*z!E-^5;!pOwT!pg?Z5$cnfomw0bmRX!xl3!FD8kU(_UL4_^pPQSS hS5gd;ooFd58tn}cNGwV%;t&*9P}4Vc3z(Ry003@(8wLOX literal 133 zcmYc)$jK}&F)+Bo$i&RT%ErzS;hdkFo0?Zr91)gToLQ1zR2&+XnOa^P>XVtBS{&^S zkxeX0Ey`eUVn}5uX86I74Wx@0QX_#n@-p+%Q;Wcgi#PXVtBS{xCUS)5stUsN0#mYG^!9O0awo12XVtBS{xCS znwVUYnOYp_lvX<9Gy@xyhEY}kK%f;u literal 96 zcmYc)$jK}&F)+Bo$i&RT3d9l4`MJ5Nc_qaWVVT95CHY0gp<$V+<;9^snc1nuQQr9= c$;6_nR1QHYWlensFkoba&l6U)Fd1h6 diff --git a/WordPress/WordPressTodayWidget/pt.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/pt.lproj/Localizable.strings index bfc171463d42b8f7c11e5eb9aaf41ac5a8bf935b..a017b0555bc07172dce9e5f773efaaee90aeeaa4 100644 GIT binary patch delta 77 zcmbQkIET?RsURn_xWvHV3L_IU3o9EtN2pI`c4~1%SY~l%Nq$jrXjo=yd2xhuer|4R gUP*D7dwy|A{zO;xiTdK49D?EsYWil5F%xSP0J$L;LjV8( delta 97 zcmbQkIET?SsURn_xWvHV3L_IU3o9EtM}%{JZf$vzFT0<#2N(vw-X&3 diff --git a/WordPress/WordPressTodayWidget/ro.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/ro.lproj/Localizable.strings index c461b5a57a2ec91c1e7fa34dc0cdf6340b75b939..a9f23c6bb2dc83d5438d0b4ac31b33531528f474 100644 GIT binary patch delta 94 zcmbQjIEB$JsURn_xWvHV3L_IU3o9EtN2pI`c4~1%SY~l%Nq$jrXjo=yd2xhuer|4R vUP*B}LjXe#BQrxXLn%WEL+V5;C6Oqg98fB;C^M5oP+UPx-_A2(Vu=C(RBRka delta 94 zcmbQjIEB$FsURn_xWvHV3L_IU3o9EtM}%{JZfdXu^6y8uvoBIOtjOGNN15|@nbOra&3T0OgRLllr{C;qVp!U GDF6UDvKoc} diff --git a/WordPress/WordPressTodayWidget/sk.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/sk.lproj/Localizable.strings index db59ac2db6fb0a49d89dc3bb18abd8ab67915c6a..2809cd7d936d4b7d1b74877396f0f2924175fb4f 100644 GIT binary patch delta 86 zcmeBS>|xYTD#*z!E-^5;!pOwT!pO?T9_o{somw0bmRX!xl3!FD8kU(_UL4_^pPQSS pS5iFDNl7}B!J8qUA(tVQA&;Si;UPm2Ln?=$xPqF#Tj0bT1psgJ87cq( delta 70 zcmeBS>|xYTD#*z!E-^5;!pOwT!pg?Z65*Vmo12XVtBS{xCUS)5stUsN0#mYG^!9O0awo122Z z!0?(OhoO)mlOdNOHG?4x$fyG15{7(+B8JzY0f|Lfso~!FAl0cHg5nBl`gZ=I3}C>> N2%#A`p)`z&1pq$pA5;JU delta 90 zcmZo;Y-2P_D#*z!E-^5;!pOwT!pg?Z5#gMlo12XVtBS{xCUS)5stUsN0#mYG^!9O0awo12P{kjhZZ@QopxA(5eoAvF@HHxDco?G4eESd?1CAtXVtBS{&^S zkxeX0Ey`eUVn}5uX86XC&5+1Y#E=>Z)RC8&m!4P@FCgHanUj;4n^=^cS_Bs25R_8Z V)VKBtV*mq2MhMNo38i6FCIB(PCGP+L diff --git a/WordPress/WordPressTodayWidget/th.lproj/Localizable.strings b/WordPress/WordPressTodayWidget/th.lproj/Localizable.strings index d3b47bb34f487cc9a89fd664c507d4c4021f3e84..44121ebb23b8836dcfb6024f66e194c0d7db3b75 100644 GIT binary patch delta 100 zcmbQmIE&FPsURn_xWvHV3L_IU3o9EtN2pI`c4~1%SY~l%Nq$jrXjo=yd2xhuer|4R zUP*B}9~YlFp9h~Lkk;jsn&_Y;mBGitr_N`@r^x5Pr_JZiC&?iwuAruG7n(4!N&x_l C?->yQ delta 100 zcmbQmIE&FCsURn_xWvHV3L_IU3o9EtM}%{JZfb}0Y=7;_!V delta 79 zcmZ3*xQfv{sURn_xWvHV3L_IU3o9EtM}%{JZf9D?EsYWil@P7?zZ01ks582|tP delta 86 zcmXRY2uLc($t*50Fu20V#LU9V#?BGpoS&PUnpaXB5tdn;S(0B=92%CHT3#ILlbM}b qoKzaw#gNpc6}>2V-o2?CQ!A2_IlE`2R&WSPDQoJRSUOA$Pyhf9F&-QM From e6689603e36fb526eb9c5871d8d08fc5b9e92c55 Mon Sep 17 00:00:00 2001 From: Jeremy Massel <1123407+jkmassel@users.noreply.github.com> Date: Fri, 14 May 2021 11:56:05 -0600 Subject: [PATCH 190/190] Bump version number --- config/Version.internal.xcconfig | 2 +- config/Version.public.xcconfig | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/config/Version.internal.xcconfig b/config/Version.internal.xcconfig index d6d01da5d60d..ebddbbe2ee47 100644 --- a/config/Version.internal.xcconfig +++ b/config/Version.internal.xcconfig @@ -1,4 +1,4 @@ VERSION_SHORT=17.3 // Internal long version example: VERSION_LONG=9.9.0.20180423 -VERSION_LONG=17.3.0.20210513 +VERSION_LONG=17.3.0.20210514 diff --git a/config/Version.public.xcconfig b/config/Version.public.xcconfig index 9530f9f4b12c..fa30b274f497 100644 --- a/config/Version.public.xcconfig +++ b/config/Version.public.xcconfig @@ -1,4 +1,4 @@ VERSION_SHORT=17.3 // Public long version example: VERSION_LONG=9.9.0.0 -VERSION_LONG=17.3.0.2 +VERSION_LONG=17.3.0.3